tiptap/packages/suggestion/src/findSuggestionMatch.ts

78 lines
2.0 KiB
TypeScript
Raw Normal View History

2021-01-19 17:09:32 +08:00
import { Range } from '@tiptap/core'
2021-01-15 21:49:28 +08:00
import { ResolvedPos } from 'prosemirror-model'
export interface Trigger {
char: string,
allowSpaces: boolean,
startOfLine: boolean,
$position: ResolvedPos,
}
export type SuggestionMatch = {
2021-01-19 17:09:32 +08:00
range: Range,
2021-01-15 21:49:28 +08:00
query: string,
text: string,
} | null
export function findSuggestionMatch(config: Trigger): SuggestionMatch {
const {
2021-01-20 03:27:51 +08:00
char,
allowSpaces,
startOfLine,
$position,
2021-01-15 21:49:28 +08:00
} = config
// Matching expressions used for later
const escapedChar = `\\${char}`
const suffix = new RegExp(`\\s${escapedChar}$`)
const prefix = startOfLine ? '^' : ''
const regexp = allowSpaces
? new RegExp(`${prefix}${escapedChar}.*?(?=\\s${escapedChar}|$)`, 'gm')
: new RegExp(`${prefix}(?:^)?${escapedChar}[^\\s${escapedChar}]*`, 'gm')
const isTopLevelNode = $position.depth <= 0
const textFrom = isTopLevelNode
? 0
: $position.before()
2021-01-15 21:49:28 +08:00
const textTo = $position.pos
const text = $position.doc.textBetween(textFrom, textTo, '\0', '\0')
const match = Array.from(text.matchAll(regexp)).pop()
2021-01-15 21:49:28 +08:00
if (!match || match.input === undefined || match.index === undefined) {
2021-01-20 23:52:56 +08:00
return null
}
2021-01-15 21:49:28 +08:00
2021-01-20 23:52:56 +08:00
// JavaScript doesn't have lookbehinds; this hacks a check that first character is " "
// or the line beginning
const matchPrefix = match.input.slice(Math.max(0, match.index - 1), match.index)
2021-01-15 21:49:28 +08:00
2021-01-20 23:52:56 +08:00
if (!/^[\s\0]?$/.test(matchPrefix)) {
return null
}
2021-01-15 21:49:28 +08:00
2021-01-20 23:52:56 +08:00
// The absolute position of the match in the document
const from = match.index + $position.start()
let to = from + match[0].length
2021-01-15 21:49:28 +08:00
2021-01-20 23:52:56 +08:00
// Edge case handling; if spaces are allowed and we're directly in between
// two triggers
if (allowSpaces && suffix.test(text.slice(to - 1, to + 1))) {
match[0] += ' '
to += 1
}
2021-01-15 21:49:28 +08:00
2021-01-20 23:52:56 +08:00
// If the $position is located within the matched substring, return that range
if (from < $position.pos && to >= $position.pos) {
return {
range: {
from,
to,
},
query: match[0].slice(char.length),
text: match[0],
}
2021-01-15 21:49:28 +08:00
}
2021-01-20 23:52:56 +08:00
return null
2021-01-15 21:49:28 +08:00
}