feat: add some improvements to CharacterCount extension (#2256), fix #1049, fix #1550, fix #1839, fix #2245

* fix a bug when exceeding the character limit

* find a better way to limit the doc size

* check paste events

* add storage method

* refactoring

* use textBetween instead of textContent

* return early if no limit is set

* add words method to storage

* show word count in charactercount demo

Co-authored-by: Philipp Kühn <philippkuehn@MacBook-Pro-von-Philipp.local>
This commit is contained in:
Philipp Kühn 2021-12-08 21:26:30 +01:00 committed by GitHub
parent f0b363c475
commit 5daa870b09
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
8 changed files with 170 additions and 45 deletions

View File

@ -34,14 +34,14 @@ export default () => {
})
const percentage = editor
? Math.round((100 / limit) * editor.getCharacterCount())
? Math.round((100 / limit) * editor.storage.characterCount.characters())
: 0
return (
<div>
<EditorContent editor={editor} />
{editor
&& <div className={`character-count ${editor.getCharacterCount() === limit ? 'character-count--warning' : ''}`}>
&& <div className={`character-count ${editor.storage.characterCount.characters() === limit ? 'character-count--warning' : ''}`}>
<svg
height="20"
width="20"
@ -73,7 +73,7 @@ export default () => {
</svg>
<div className="character-count__text">
{editor.getCharacterCount()}/{limit} characters
{editor.storage.characterCount.characters()}/{limit} characters
</div>
</div>
}

View File

@ -2,7 +2,7 @@
<div>
<editor-content :editor="editor" />
<div v-if="editor" :class="{'character-count': true, 'character-count--warning': editor.getCharacterCount() === limit}">
<div v-if="editor" :class="{'character-count': true, 'character-count--warning': editor.storage.characterCount.characters() === limit}">
<svg
height="20"
width="20"
@ -34,7 +34,7 @@
</svg>
<div class="character-count__text">
{{ editor.getCharacterCount() }}/{{ limit }} characters
{{ editor.storage.characterCount.characters() }}/{{ limit }} characters
</div>
</div>
</div>
@ -87,7 +87,7 @@ export default {
computed: {
percentage() {
return Math.round((100 / this.limit) * this.editor.getCharacterCount())
return Math.round((100 / this.limit) * this.editor.storage.characterCount.characters())
},
},

View File

@ -34,7 +34,9 @@ export default () => {
<EditorContent editor={editor} />
<div className="character-count">
{editor.getCharacterCount()}/{limit} characters
{editor.storage.characterCount.characters()}/{limit} characters
<br />
{editor.storage.characterCount.words()} words
</div>
</div>
)

View File

@ -3,7 +3,9 @@
<editor-content :editor="editor" />
<div class="character-count" v-if="editor">
{{ editor.getCharacterCount() }}/{{ limit }} characters
{{ editor.storage.characterCount.characters() }}/{{ limit }} characters
<br>
{{ editor.storage.characterCount.words() }} words
</div>
</div>
</template>

View File

@ -92,13 +92,6 @@ editor.isActive('heading', { level: 2 })
editor.isActive({ textAlign: 'justify' })
```
### getCharacterCount()
Get the number of characters for the current document.
```js
editor.getCharacterCount()
```
### registerPlugin()
Register a ProseMirror plugin.
@ -124,14 +117,14 @@ editor.setOptions({
},
})
```
### setEditable()
Update editable state of the editor.
| Parameter | Type | Description |
| --------- | ------- | ------------------------------------------------------------- |
| editable | boolean | `true` when the user should be able to write into the editor. |
```js
// Make the editor read-only
editor.setEditable(false)

View File

@ -18,7 +18,7 @@ npm install @tiptap/extension-character-count
### limit
The maximum number of characters that should be allowed. |
The maximum number of characters that should be allowed.
Default: `0`
@ -28,21 +28,45 @@ CharacterCount.configure({
})
```
### mode
The mode by which the size is calculated.
Default: `'textSize'`
```js
CharacterCount.configure({
mode: 'nodeSize',
})
```
## Storage
### characters()
Get the number of characters for the current document.
```js
editor.storage.characterCount.characters()
// Get the size of a specific node.
editor.storage.characterCount.characters({ node: someCustomNode })
// Overwrite the default `mode`.
editor.storage.characterCount.characters({ mode: 'nodeSize' })
```
### words()
Get the number of words for the current document.
```js
editor.storage.characterCount.words()
// Get the number of words for a specific node.
editor.storage.characterCount.words({ node: someCustomNode })
```
## Source code
[packages/extension-character-count/](https://github.com/ueberdosis/tiptap/blob/main/packages/extension-character-count/)
## Usage
https://embed.tiptap.dev/preview/Extensions/CharacterCount
## Count words, emojis, letters …
Want to count words instead? Or emojis? Or the letter *a*? Sure, no problem. You can access the `textContent` directly and count whatever youre into.
```js
new Editor({
onUpdate({ editor }) {
const wordCount = editor.state.doc.textContent.split(' ').length
console.log(wordCount)
},
})
```

View File

@ -449,8 +449,12 @@ export class Editor extends EventEmitter<EditorEvents> {
/**
* Get the number of characters for the current document.
*
* @deprecated
*/
public getCharacterCount(): number {
console.warn('[tiptap warn]: "editor.getCharacterCount()" is deprecated. Please use "editor.storage.characterCount.characters()" instead.')
return this.state.doc.content.size - 2
}

View File

@ -1,35 +1,135 @@
import { Extension } from '@tiptap/core'
import { Plugin, PluginKey } from 'prosemirror-state'
export const pluginKey = new PluginKey('characterLimit')
import { Node as ProseMirrorNode } from 'prosemirror-model'
export interface CharacterCountOptions {
limit?: number,
/**
* The maximum number of characters that should be allowed. Defaults to `0`.
*/
limit: number,
/**
* The mode by which the size is calculated. Defaults to 'textSize'.
*/
mode: 'textSize' | 'nodeSize',
}
export const CharacterCount = Extension.create<CharacterCountOptions>({
export interface CharacterCountStorage {
/**
* Get the number of characters for the current document.
*/
characters?: (options: {
node?: ProseMirrorNode,
mode?: 'textSize' | 'nodeSize',
}) => number,
/**
* Get the number of words for the current document.
*/
words?: (options: {
node?: ProseMirrorNode,
}) => number,
}
export const CharacterCount = Extension.create<CharacterCountOptions, CharacterCountStorage>({
name: 'characterCount',
addOptions() {
return {
limit: 0,
mode: 'textSize',
}
},
addStorage() {
return {
characters: undefined,
words: undefined,
}
},
onBeforeCreate() {
this.storage.characters = options => {
const node = options?.node || this.editor.state.doc
const mode = options?.mode || this.options.mode
if (mode === 'textSize') {
const text = node.textBetween(0, node.content.size, undefined, ' ')
return text.length
}
return node.nodeSize
}
this.storage.words = options => {
const node = options?.node || this.editor.state.doc
const text = node.textBetween(0, node.content.size, undefined, ' ')
const words = text
.split(' ')
.filter(word => word !== '')
return words.length
}
},
addProseMirrorPlugins() {
const { options } = this
return [
new Plugin({
key: new PluginKey('characterCount'),
filterTransaction: (transaction, state) => {
const limit = this.options.limit
key: pluginKey,
appendTransaction: (transactions, oldState, newState) => {
const length = newState.doc.content.size
if (options.limit && length > options.limit) {
return newState.tr.insertText('', options.limit + 1, length)
// Nothing has changed or no limit is defined. Ignore it.
if (!transaction.docChanged || limit === 0) {
return true
}
const oldSize = this.storage.characters?.({ node: state.doc }) || 0
const newSize = this.storage.characters?.({ node: transaction.doc }) || 0
// Everything is in the limit. Good.
if (newSize <= limit) {
return true
}
// The limit has already been exceeded but will be reduced.
if (oldSize > limit && newSize > limit && newSize <= oldSize) {
return true
}
// The limit has already been exceeded and will be increased further.
if (oldSize > limit && newSize > limit && newSize > oldSize) {
return false
}
const isPaste = transaction.getMeta('paste')
// Block all exceeding transactions that were not pasted.
if (!isPaste) {
return false
}
// For pasted content, we try to remove the exceeding content.
const pos = transaction.selection.$head.pos
const over = newSize - limit
const from = pos - over
const to = pos
// Its probably a bad idea to mutate transactions within `filterTransaction`
// but for now this is working fine.
transaction.deleteRange(from, to)
// In some situations, the limit will continue to be exceeded after trimming.
// This happens e.g. when truncating within a complex node (e.g. table)
// and ProseMirror has to close this node again.
// If this is the case, we prevent the transaction completely.
const updatedSize = this.storage.characters?.({ node: transaction.doc }) || 0
if (updatedSize > limit) {
return false
}
return true
},
}),
]