@lexical/markdown
Advanced tools
Comparing version
@@ -79,3 +79,9 @@ /** | ||
// e.g. it will filter out *** (bold, italic) and instead use separate ** and * | ||
const textFormatTransformers = byType.textFormat.filter(transformer => transformer.format.length === 1); | ||
const textFormatTransformers = byType.textFormat.filter(transformer => transformer.format.length === 1) | ||
// Make sure all text transformers that contain 'code' in their format are at the end of the array. Otherwise, formatted code like | ||
// <strong><code>code</code></strong> will be exported as `**Bold Code**`, as the code format will be applied first, and the bold format | ||
// will be applied second and thus skipped entirely, as the code format will prevent any further formatting. | ||
.sort((a, b) => { | ||
return Number(a.format.includes('code')) - Number(b.format.includes('code')); | ||
}); | ||
return node => { | ||
@@ -116,7 +122,12 @@ const output = []; | ||
} | ||
function exportChildren(node, textTransformersIndex, textMatchTransformers) { | ||
function exportChildren(node, textTransformersIndex, textMatchTransformers, unclosedTags, unclosableTags) { | ||
const output = []; | ||
const children = node.getChildren(); | ||
// keep track of unclosed tags from the very beginning | ||
const unclosedTags = []; | ||
if (!unclosedTags) { | ||
unclosedTags = []; | ||
} | ||
if (!unclosableTags) { | ||
unclosableTags = []; | ||
} | ||
mainLoop: for (const child of children) { | ||
@@ -127,3 +138,9 @@ for (const transformer of textMatchTransformers) { | ||
} | ||
const result = transformer.export(child, parentNode => exportChildren(parentNode, textTransformersIndex, textMatchTransformers), (textNode, textContent) => exportTextFormat(textNode, textContent, textTransformersIndex, unclosedTags)); | ||
const result = transformer.export(child, parentNode => exportChildren(parentNode, textTransformersIndex, textMatchTransformers, unclosedTags, | ||
// Add current unclosed tags to the list of unclosable tags - we don't want nested tags from | ||
// textmatch transformers to close the outer ones, as that may result in invalid markdown. | ||
// E.g. **text [text**](https://lexical.io) | ||
// is invalid markdown, as the closing ** is inside the link. | ||
// | ||
[...unclosableTags, ...unclosedTags]), (textNode, textContent) => exportTextFormat(textNode, textContent, textTransformersIndex, unclosedTags, unclosableTags)); | ||
if (result != null) { | ||
@@ -137,6 +154,6 @@ output.push(result); | ||
} else if (lexical.$isTextNode(child)) { | ||
output.push(exportTextFormat(child, child.getTextContent(), textTransformersIndex, unclosedTags)); | ||
output.push(exportTextFormat(child, child.getTextContent(), textTransformersIndex, unclosedTags, unclosableTags)); | ||
} else if (lexical.$isElementNode(child)) { | ||
// empty paragraph returns "" | ||
output.push(exportChildren(child, textTransformersIndex, textMatchTransformers)); | ||
output.push(exportChildren(child, textTransformersIndex, textMatchTransformers, unclosedTags, unclosableTags)); | ||
} else if (lexical.$isDecoratorNode(child)) { | ||
@@ -150,3 +167,3 @@ output.push(child.getTextContent()); | ||
// unclosed tags include the markdown tags that haven't been closed yet, and their associated formats | ||
unclosedTags) { | ||
unclosedTags, unclosableTags) { | ||
// This function handles the case of a string looking like this: " foo " | ||
@@ -161,3 +178,4 @@ // Where it would be invalid markdown to generate: "** foo **" | ||
// the closing tags to be added to the result | ||
let closingTags = ''; | ||
let closingTagsBefore = ''; | ||
let closingTagsAfter = ''; | ||
const prevNode = getTextSibling(node, true); | ||
@@ -189,17 +207,36 @@ const nextNode = getTextSibling(node, false); | ||
for (let i = 0; i < unclosedTags.length; i++) { | ||
const nodeHasFormat = hasFormat(node, unclosedTags[i].format); | ||
const nextNodeHasFormat = hasFormat(nextNode, unclosedTags[i].format); | ||
// prevent adding closing tag if next sibling will do it | ||
if (hasFormat(nextNode, unclosedTags[i].format)) { | ||
if (nodeHasFormat && nextNodeHasFormat) { | ||
continue; | ||
} | ||
while (unclosedTags.length > i) { | ||
const unclosedTag = unclosedTags.pop(); | ||
const unhandledUnclosedTags = [...unclosedTags]; // Shallow copy to avoid modifying the original array | ||
while (unhandledUnclosedTags.length > i) { | ||
const unclosedTag = unhandledUnclosedTags.pop(); | ||
// If tag is unclosable, don't close it and leave it in the original array, | ||
// So that it can be closed when it's no longer unclosable | ||
if (unclosableTags && unclosedTag && unclosableTags.find(element => element.tag === unclosedTag.tag)) { | ||
continue; | ||
} | ||
if (unclosedTag && typeof unclosedTag.tag === 'string') { | ||
closingTags += unclosedTag.tag; | ||
if (!nodeHasFormat) { | ||
// Handles cases where the tag has not been closed before, e.g. if the previous node | ||
// was a text match transformer that did not account for closing tags of the next node (e.g. a link) | ||
closingTagsBefore += unclosedTag.tag; | ||
} else if (!nextNodeHasFormat) { | ||
closingTagsAfter += unclosedTag.tag; | ||
} | ||
} | ||
// Mutate the original array to remove the closed tag | ||
unclosedTags.pop(); | ||
} | ||
break; | ||
} | ||
output = openingTags + output + closingTags; | ||
output = openingTags + output + closingTagsAfter; | ||
// Replace trimmed version of textContent ensuring surrounding whitespace is not modified | ||
return textContent.replace(frozenString, () => output); | ||
return closingTagsBefore + textContent.replace(frozenString, () => output); | ||
} | ||
@@ -278,3 +315,229 @@ | ||
function findOutermostTextFormatTransformer(textNode, textFormatTransformersIndex) { | ||
const textContent = textNode.getTextContent(); | ||
const match = findOutermostMatch(textContent, textFormatTransformersIndex); | ||
if (!match) { | ||
return null; | ||
} | ||
const textFormatMatchStart = match.index || 0; | ||
const textFormatMatchEnd = textFormatMatchStart + match[0].length; | ||
const transformer = textFormatTransformersIndex.transformersByTag[match[1]]; | ||
return { | ||
endIndex: textFormatMatchEnd, | ||
match, | ||
startIndex: textFormatMatchStart, | ||
transformer | ||
}; | ||
} | ||
// Finds first "<tag>content<tag>" match that is not nested into another tag | ||
function findOutermostMatch(textContent, textTransformersIndex) { | ||
const openTagsMatch = textContent.match(textTransformersIndex.openTagsRegExp); | ||
if (openTagsMatch == null) { | ||
return null; | ||
} | ||
for (const match of openTagsMatch) { | ||
// Open tags reg exp might capture leading space so removing it | ||
// before using match to find transformer | ||
const tag = match.replace(/^\s/, ''); | ||
const fullMatchRegExp = textTransformersIndex.fullMatchRegExpByTag[tag]; | ||
if (fullMatchRegExp == null) { | ||
continue; | ||
} | ||
const fullMatch = textContent.match(fullMatchRegExp); | ||
const transformer = textTransformersIndex.transformersByTag[tag]; | ||
if (fullMatch != null && transformer != null) { | ||
if (transformer.intraword !== false) { | ||
return fullMatch; | ||
} | ||
// For non-intraword transformers checking if it's within a word | ||
// or surrounded with space/punctuation/newline | ||
const { | ||
index = 0 | ||
} = fullMatch; | ||
const beforeChar = textContent[index - 1]; | ||
const afterChar = textContent[index + fullMatch[0].length]; | ||
if ((!beforeChar || PUNCTUATION_OR_SPACE.test(beforeChar)) && (!afterChar || PUNCTUATION_OR_SPACE.test(afterChar))) { | ||
return fullMatch; | ||
} | ||
} | ||
} | ||
return null; | ||
} | ||
function importTextFormatTransformer(textNode, startIndex, endIndex, transformer, match) { | ||
const textContent = textNode.getTextContent(); | ||
// No text matches - we can safely process the text format match | ||
let transformedNode, nodeAfter, nodeBefore; | ||
// If matching full content there's no need to run splitText and can reuse existing textNode | ||
// to update its content and apply format. E.g. for **_Hello_** string after applying bold | ||
// format (**) it will reuse the same text node to apply italic (_) | ||
if (match[0] === textContent) { | ||
transformedNode = textNode; | ||
} else { | ||
if (startIndex === 0) { | ||
[transformedNode, nodeAfter] = textNode.splitText(endIndex); | ||
} else { | ||
[nodeBefore, transformedNode, nodeAfter] = textNode.splitText(startIndex, endIndex); | ||
} | ||
} | ||
transformedNode.setTextContent(match[2]); | ||
if (transformer) { | ||
for (const format of transformer.format) { | ||
if (!transformedNode.hasFormat(format)) { | ||
transformedNode.toggleFormat(format); | ||
} | ||
} | ||
} | ||
return { | ||
nodeAfter: nodeAfter, | ||
nodeBefore: nodeBefore, | ||
transformedNode: transformedNode | ||
}; | ||
} | ||
/** | ||
* Copyright (c) Meta Platforms, Inc. and affiliates. | ||
* | ||
* This source code is licensed under the MIT license found in the | ||
* LICENSE file in the root directory of this source tree. | ||
* | ||
*/ | ||
function findOutermostTextMatchTransformer(textNode_, textMatchTransformers) { | ||
const textNode = textNode_; | ||
let foundMatchStartIndex = undefined; | ||
let foundMatchEndIndex = undefined; | ||
let foundMatchTransformer = undefined; | ||
let foundMatch = undefined; | ||
for (const transformer of textMatchTransformers) { | ||
if (!transformer.replace || !transformer.importRegExp) { | ||
continue; | ||
} | ||
const match = textNode.getTextContent().match(transformer.importRegExp); | ||
if (!match) { | ||
continue; | ||
} | ||
const startIndex = match.index || 0; | ||
const endIndex = transformer.getEndIndex ? transformer.getEndIndex(textNode, match) : startIndex + match[0].length; | ||
if (endIndex === false) { | ||
continue; | ||
} | ||
if (foundMatchStartIndex === undefined || foundMatchEndIndex === undefined || startIndex < foundMatchStartIndex && endIndex > foundMatchEndIndex) { | ||
foundMatchStartIndex = startIndex; | ||
foundMatchEndIndex = endIndex; | ||
foundMatchTransformer = transformer; | ||
foundMatch = match; | ||
} | ||
} | ||
if (foundMatchStartIndex === undefined || foundMatchEndIndex === undefined || foundMatchTransformer === undefined || foundMatch === undefined) { | ||
return null; | ||
} | ||
return { | ||
endIndex: foundMatchEndIndex, | ||
match: foundMatch, | ||
startIndex: foundMatchStartIndex, | ||
transformer: foundMatchTransformer | ||
}; | ||
} | ||
function importFoundTextMatchTransformer(textNode, startIndex, endIndex, transformer, match) { | ||
let transformedNode, nodeAfter, nodeBefore; | ||
if (startIndex === 0) { | ||
[transformedNode, nodeAfter] = textNode.splitText(endIndex); | ||
} else { | ||
[nodeBefore, transformedNode, nodeAfter] = textNode.splitText(startIndex, endIndex); | ||
} | ||
if (!transformer.replace) { | ||
return null; | ||
} | ||
const potentialTransformedNode = transformer.replace(transformedNode, match); | ||
return { | ||
nodeAfter, | ||
nodeBefore, | ||
transformedNode: potentialTransformedNode || undefined | ||
}; | ||
} | ||
/** | ||
* Copyright (c) Meta Platforms, Inc. and affiliates. | ||
* | ||
* This source code is licensed under the MIT license found in the | ||
* LICENSE file in the root directory of this source tree. | ||
* | ||
*/ | ||
/** | ||
* Returns true if the node can contain transformable markdown. | ||
* Code nodes cannot contain transformable markdown. | ||
* For example, `code **bold**` should not be transformed to | ||
* <code>code <strong>bold</strong></code>. | ||
*/ | ||
function canContainTransformableMarkdown(node) { | ||
return lexical.$isTextNode(node) && !node.hasFormat('code'); | ||
} | ||
/** | ||
* Handles applying both text format and text match transformers. | ||
* It finds the outermost text format or text match and applies it, | ||
* then recursively calls itself to apply the next outermost transformer, | ||
* until there are no more transformers to apply. | ||
*/ | ||
function importTextTransformers(textNode, textFormatTransformersIndex, textMatchTransformers) { | ||
let foundTextFormat = findOutermostTextFormatTransformer(textNode, textFormatTransformersIndex); | ||
let foundTextMatch = findOutermostTextMatchTransformer(textNode, textMatchTransformers); | ||
if (foundTextFormat && foundTextMatch) { | ||
// Find the outermost transformer | ||
if (foundTextFormat.startIndex <= foundTextMatch.startIndex && foundTextFormat.endIndex >= foundTextMatch.endIndex) { | ||
// foundTextFormat wraps foundTextMatch - apply foundTextFormat by setting foundTextMatch to null | ||
foundTextMatch = null; | ||
} else { | ||
// foundTextMatch wraps foundTextFormat - apply foundTextMatch by setting foundTextFormat to null | ||
foundTextFormat = null; | ||
} | ||
} | ||
if (foundTextFormat) { | ||
const result = importTextFormatTransformer(textNode, foundTextFormat.startIndex, foundTextFormat.endIndex, foundTextFormat.transformer, foundTextFormat.match); | ||
if (canContainTransformableMarkdown(result.nodeAfter)) { | ||
importTextTransformers(result.nodeAfter, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
if (canContainTransformableMarkdown(result.nodeBefore)) { | ||
importTextTransformers(result.nodeBefore, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
if (canContainTransformableMarkdown(result.transformedNode)) { | ||
importTextTransformers(result.transformedNode, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
return; | ||
} else if (foundTextMatch) { | ||
const result = importFoundTextMatchTransformer(textNode, foundTextMatch.startIndex, foundTextMatch.endIndex, foundTextMatch.transformer, foundTextMatch.match); | ||
if (!result) { | ||
return; | ||
} | ||
if (canContainTransformableMarkdown(result.nodeAfter)) { | ||
importTextTransformers(result.nodeAfter, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
if (canContainTransformableMarkdown(result.nodeBefore)) { | ||
importTextTransformers(result.nodeBefore, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
if (canContainTransformableMarkdown(result.transformedNode)) { | ||
importTextTransformers(result.transformedNode, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
return; | ||
} else { | ||
// Done! | ||
return; | ||
} | ||
} | ||
/** | ||
* Copyright (c) Meta Platforms, Inc. and affiliates. | ||
* | ||
* This source code is licensed under the MIT license found in the | ||
* LICENSE file in the root directory of this source tree. | ||
* | ||
*/ | ||
/** | ||
* Renders markdown from a string. The selection is moved to the start after the operation. | ||
@@ -421,3 +684,3 @@ */ | ||
} | ||
importTextFormatTransformers(textNode, textFormatTransformersIndex, textMatchTransformers); | ||
importTextTransformers(textNode, textFormatTransformersIndex, textMatchTransformers); | ||
@@ -446,125 +709,2 @@ // If no transformer found and we left with original paragraph node | ||
} | ||
// Processing text content and replaces text format tags. | ||
// It takes outermost tag match and its content, creates text node with | ||
// format based on tag and then recursively executed over node's content | ||
// | ||
// E.g. for "*Hello **world**!*" string it will create text node with | ||
// "Hello **world**!" content and italic format and run recursively over | ||
// its content to transform "**world**" part | ||
function importTextFormatTransformers(textNode, textFormatTransformersIndex, textMatchTransformers) { | ||
const textContent = textNode.getTextContent(); | ||
const match = findOutermostMatch(textContent, textFormatTransformersIndex); | ||
if (!match) { | ||
// Once text format processing is done run text match transformers, as it | ||
// only can span within single text node (unline formats that can cover multiple nodes) | ||
importTextMatchTransformers(textNode, textMatchTransformers); | ||
return; | ||
} | ||
let currentNode, remainderNode, leadingNode; | ||
// If matching full content there's no need to run splitText and can reuse existing textNode | ||
// to update its content and apply format. E.g. for **_Hello_** string after applying bold | ||
// format (**) it will reuse the same text node to apply italic (_) | ||
if (match[0] === textContent) { | ||
currentNode = textNode; | ||
} else { | ||
const startIndex = match.index || 0; | ||
const endIndex = startIndex + match[0].length; | ||
if (startIndex === 0) { | ||
[currentNode, remainderNode] = textNode.splitText(endIndex); | ||
} else { | ||
[leadingNode, currentNode, remainderNode] = textNode.splitText(startIndex, endIndex); | ||
} | ||
} | ||
currentNode.setTextContent(match[2]); | ||
const transformer = textFormatTransformersIndex.transformersByTag[match[1]]; | ||
if (transformer) { | ||
for (const format of transformer.format) { | ||
if (!currentNode.hasFormat(format)) { | ||
currentNode.toggleFormat(format); | ||
} | ||
} | ||
} | ||
// Recursively run over inner text if it's not inline code | ||
if (!currentNode.hasFormat('code')) { | ||
importTextFormatTransformers(currentNode, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
// Run over leading/remaining text if any | ||
if (leadingNode) { | ||
importTextFormatTransformers(leadingNode, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
if (remainderNode) { | ||
importTextFormatTransformers(remainderNode, textFormatTransformersIndex, textMatchTransformers); | ||
} | ||
} | ||
function importTextMatchTransformers(textNode_, textMatchTransformers) { | ||
let textNode = textNode_; | ||
mainLoop: while (textNode) { | ||
for (const transformer of textMatchTransformers) { | ||
if (!transformer.replace || !transformer.importRegExp) { | ||
continue; | ||
} | ||
const match = textNode.getTextContent().match(transformer.importRegExp); | ||
if (!match) { | ||
continue; | ||
} | ||
const startIndex = match.index || 0; | ||
const endIndex = transformer.getEndIndex ? transformer.getEndIndex(textNode, match) : startIndex + match[0].length; | ||
if (endIndex === false) { | ||
continue; | ||
} | ||
let replaceNode, newTextNode; | ||
if (startIndex === 0) { | ||
[replaceNode, textNode] = textNode.splitText(endIndex); | ||
} else { | ||
[, replaceNode, newTextNode] = textNode.splitText(startIndex, endIndex); | ||
} | ||
if (newTextNode) { | ||
importTextMatchTransformers(newTextNode, textMatchTransformers); | ||
} | ||
transformer.replace(replaceNode, match); | ||
continue mainLoop; | ||
} | ||
break; | ||
} | ||
} | ||
// Finds first "<tag>content<tag>" match that is not nested into another tag | ||
function findOutermostMatch(textContent, textTransformersIndex) { | ||
const openTagsMatch = textContent.match(textTransformersIndex.openTagsRegExp); | ||
if (openTagsMatch == null) { | ||
return null; | ||
} | ||
for (const match of openTagsMatch) { | ||
// Open tags reg exp might capture leading space so removing it | ||
// before using match to find transformer | ||
const tag = match.replace(/^\s/, ''); | ||
const fullMatchRegExp = textTransformersIndex.fullMatchRegExpByTag[tag]; | ||
if (fullMatchRegExp == null) { | ||
continue; | ||
} | ||
const fullMatch = textContent.match(fullMatchRegExp); | ||
const transformer = textTransformersIndex.transformersByTag[tag]; | ||
if (fullMatch != null && transformer != null) { | ||
if (transformer.intraword !== false) { | ||
return fullMatch; | ||
} | ||
// For non-intraword transformers checking if it's within a word | ||
// or surrounded with space/punctuation/newline | ||
const { | ||
index = 0 | ||
} = fullMatch; | ||
const beforeChar = textContent[index - 1]; | ||
const afterChar = textContent[index + fullMatch[0].length]; | ||
if ((!beforeChar || PUNCTUATION_OR_SPACE.test(beforeChar)) && (!afterChar || PUNCTUATION_OR_SPACE.test(afterChar))) { | ||
return fullMatch; | ||
} | ||
} | ||
} | ||
return null; | ||
} | ||
function createTextFormatTransformersIndex(textTransformers) { | ||
@@ -904,4 +1044,3 @@ const transformersByTag = {}; | ||
editor.update(() => { | ||
// Markdown is not available inside code | ||
if (anchorNode.hasFormat('code')) { | ||
if (!canContainTransformableMarkdown(anchorNode)) { | ||
return; | ||
@@ -1205,11 +1344,5 @@ } | ||
const title = node.getTitle(); | ||
const linkContent = title ? `[${node.getTextContent()}](${node.getURL()} "${title}")` : `[${node.getTextContent()}](${node.getURL()})`; | ||
const firstChild = node.getFirstChild(); | ||
// Add text styles only if link has single text node inside. If it's more | ||
// then one we ignore it as markdown does not support nested styles for links | ||
if (node.getChildrenSize() === 1 && lexical.$isTextNode(firstChild)) { | ||
return exportFormat(firstChild, linkContent); | ||
} else { | ||
return linkContent; | ||
} | ||
const textContent = exportChildren(node); | ||
const linkContent = title ? `[${textContent}](${node.getURL()} "${title}")` : `[${textContent}](${node.getURL()})`; | ||
return linkContent; | ||
}, | ||
@@ -1227,2 +1360,3 @@ importRegExp: /(?:\[([^[]+)\])(?:\((?:([^()\s]+)(?:\s"((?:[^"]*\\")*[^"]*)"\s*)?)\))/, | ||
textNode.replace(linkNode); | ||
return linkTextNode; | ||
}, | ||
@@ -1229,0 +1363,0 @@ trigger: ')', |
@@ -9,2 +9,2 @@ /** | ||
"use strict";var e=require("lexical"),t=require("@lexical/list"),n=require("@lexical/rich-text"),o=require("@lexical/utils"),r=require("@lexical/code"),i=require("@lexical/link");function s(e,t){const n={};for(const o of e){const e=t(o);e&&(n[e]?n[e].push(o):n[e]=[o])}return n}function c(e){const t=s(e,(e=>e.type));return{element:t.element||[],multilineElement:t["multiline-element"]||[],textFormat:t["text-format"]||[],textMatch:t["text-match"]||[]}}const l=/[!-/:-@[-`{-~\s]/,a=/^\s{0,3}$/;function f(t){if(!e.$isParagraphNode(t))return!1;const n=t.getFirstChild();return null==n||1===t.getChildrenSize()&&e.$isTextNode(n)&&a.test(n.getTextContent())}function u(t,n,o,r){for(const e of n){if(!e.export)continue;const n=e.export(t,(e=>g(e,o,r)));if(null!=n)return n}return e.$isElementNode(t)?g(t,o,r):e.$isDecoratorNode(t)?t.getTextContent():null}function g(t,n,o){const r=[],i=t.getChildren(),s=[];e:for(const t of i){for(const e of o){if(!e.export)continue;const i=e.export(t,(e=>g(e,n,o)),((e,t)=>p(e,t,n,s)));if(null!=i){r.push(i);continue e}}e.$isLineBreakNode(t)?r.push("\n"):e.$isTextNode(t)?r.push(p(t,t.getTextContent(),n,s)):e.$isElementNode(t)?r.push(g(t,n,o)):e.$isDecoratorNode(t)&&r.push(t.getTextContent())}return r.join("")}function p(e,t,n,o){const r=t.trim();let i=r,s="",c="";const l=d(e,!0),a=d(e,!1),f=new Set;for(const t of n){const n=t.format[0],r=t.tag;x(e,n)&&!f.has(n)&&(f.add(n),x(l,n)&&o.find((e=>e.tag===r))||(o.push({format:n,tag:r}),s+=r))}for(let e=0;e<o.length;e++)if(!x(a,o[e].format)){for(;o.length>e;){const e=o.pop();e&&"string"==typeof e.tag&&(c+=e.tag)}break}return i=s+i+c,t.replace(r,(()=>i))}function d(t,n){let o=n?t.getPreviousSibling():t.getNextSibling();if(!o){const e=t.getParentOrThrow();e.isInline()&&(o=n?e.getPreviousSibling():e.getNextSibling())}for(;o;){if(e.$isElementNode(o)){if(!o.isInline())break;const t=n?o.getLastDescendant():o.getFirstDescendant();if(e.$isTextNode(t))return t;o=n?o.getPreviousSibling():o.getNextSibling()}if(e.$isTextNode(o))return o;if(!e.$isElementNode(o))return null}return null}function x(t,n){return e.$isTextNode(t)&&t.hasFormat(n)}const h="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement,m=h&&"documentMode"in document?document.documentMode:null;h&&"InputEvent"in window&&!m&&new window.InputEvent("input");const $=h&&/Version\/[\d.]+.*Safari/.test(navigator.userAgent),N=h&&/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream,T=h&&/^(?=.*Chrome).*/i.test(navigator.userAgent),E=h&&/AppleWebKit\/[\d.]+/.test(navigator.userAgent)&&!T;function S(t,n=!1){const o=c(t),r=function(e){const t={},n={},o=[],r="(?<![\\\\])";for(const r of e){const{tag:e}=r;t[e]=r;const i=e.replace(/(\*|\^|\+)/g,"\\$1");o.push(i),n[e]=$||N||E?new RegExp(`(${i})(?![${i}\\s])(.*?[^${i}\\s])${i}(?!${i})`):new RegExp(`(?<![\\\\${i}])(${i})((\\\\${i})?.*?[^${i}\\s](\\\\${i})?)((?<!\\\\)|(?<=\\\\\\\\))(${i})(?![\\\\${i}])`)}return{fullMatchRegExpByTag:n,openTagsRegExp:new RegExp(($||N||E?"":`${r}`)+"("+o.join("|")+")","g"),transformersByTag:t}}(o.textFormat);return(t,i)=>{const s=t.split("\n"),c=s.length,l=i||e.$getRoot();l.clear();for(let e=0;e<c;e++){const t=s[e],[n,i]=C(s,e,o.multilineElement,l);n?e=i:L(t,l,o.element,r,o.textMatch)}const a=l.getChildren();for(const e of a)!n&&f(e)&&l.getChildrenSize()>1&&e.remove();null!==e.$getSelection()&&l.selectStart()}}function C(e,t,n,o){for(const r of n){const{handleImportAfterStartMatch:n,regExpEnd:i,regExpStart:s,replace:c}=r,l=e[t].match(s);if(!l)continue;if(n){const i=n({lines:e,rootNode:o,startLineIndex:t,startMatch:l,transformer:r});if(null===i)continue;if(i)return i}const a="object"==typeof i&&"regExp"in i?i.regExp:i,f=i&&"object"==typeof i&&"optional"in i?i.optional:!i;let u=t;const g=e.length;for(;u<g;){const n=a?e[u].match(a):null;if(!n&&(!f||f&&u<g-1)){u++;continue}if(n&&t===u&&n.index===l.index){u++;continue}const r=[];if(n&&t===u)r.push(e[t].slice(l[0].length,-n[0].length));else for(let o=t;o<=u;o++)if(o===t){const t=e[o].slice(l[0].length);r.push(t)}else if(o===u&&n){const t=e[o].slice(0,-n[0].length);r.push(t)}else r.push(e[o]);if(!1!==c(o,null,l,n,r,!0))return[!0,u];break}}return[!1,t]}function L(r,i,s,c,l){const a=e.$createTextNode(r),f=e.$createParagraphNode();f.append(a),i.append(f);for(const{regExp:e,replace:t}of s){const n=r.match(e);if(n&&(a.setTextContent(r.slice(n[0].length)),!1!==t(f,[a],n,!0)))break}if(R(a,c,l),f.isAttached()&&r.length>0){const r=f.getPreviousSibling();if(e.$isParagraphNode(r)||n.$isQuoteNode(r)||t.$isListNode(r)){let n=r;if(t.$isListNode(r)){const e=r.getLastDescendant();n=null==e?null:o.$findMatchingParent(e,t.$isListItemNode)}null!=n&&n.getTextContentSize()>0&&(n.splice(n.getChildrenSize(),0,[e.$createLineBreakNode(),...f.getChildren()]),f.remove())}}}function R(e,t,n){const o=e.getTextContent(),r=function(e,t){const n=e.match(t.openTagsRegExp);if(null==n)return null;for(const o of n){const n=o.replace(/^\s/,""),r=t.fullMatchRegExpByTag[n];if(null==r)continue;const i=e.match(r),s=t.transformersByTag[n];if(null!=i&&null!=s){if(!1!==s.intraword)return i;const{index:t=0}=i,n=e[t-1],o=e[t+i[0].length];if((!n||l.test(n))&&(!o||l.test(o)))return i}}return null}(o,t);if(!r)return void y(e,n);let i,s,c;if(r[0]===o)i=e;else{const t=r.index||0,n=t+r[0].length;0===t?[i,s]=e.splitText(n):[c,i,s]=e.splitText(t,n)}i.setTextContent(r[2]);const a=t.transformersByTag[r[1]];if(a)for(const e of a.format)i.hasFormat(e)||i.toggleFormat(e);i.hasFormat("code")||R(i,t,n),c&&R(c,t,n),s&&R(s,t,n)}function y(e,t){let n=e;e:for(;n;){for(const e of t){if(!e.replace||!e.importRegExp)continue;const o=n.getTextContent().match(e.importRegExp);if(!o)continue;const r=o.index||0,i=e.getEndIndex?e.getEndIndex(n,o):r+o[0].length;if(!1===i)continue;let s,c;0===r?[s,n]=n.splitText(i):[,s,c]=n.splitText(r,i),c&&y(c,t),e.replace(s,o);continue e}break}}function v(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var I=function(e){const t=new URLSearchParams;t.append("code",e);for(let e=1;e<arguments.length;e++)t.append("v",arguments[e]);throw Error(`Minified Lexical error #${e}; visit https://lexical.dev/docs/error?${t} for the full message or use the non-minified dev environment for full errors and additional helpful warnings.`)},w=v(I);function b(e,t,n){const o=n.length;for(let r=t;r>=o;r--){const t=r-o;if(_(e,t,n,0,o)&&" "!==e[t+o])return t}return-1}function _(e,t,n,o,r){for(let i=0;i<r;i++)if(e[t+i]!==n[o+i])return!1;return!0}const M=/^(\s*)(\d{1,})\.\s/,F=/^(\s*)[-*+]\s/,k=/^(\s*)(?:-\s)?\s?(\[(\s|x)?\])\s/i,O=/^(#{1,6})\s/,A=/^>\s/,P=/^[ \t]*```(\w+)?/,D=/[ \t]*```$/,B=/^[ \t]*```[^`]+(?:(?:`{1,2}|`{4,})[^`]+)*```(?:[^`]|$)/,H=/^(?:\|)(.+)(?:\|)\s?$/,U=/^(\| ?:?-*:? ?)+\|\s?$/,j=e=>(t,n,o)=>{const r=e(o);r.append(...n),t.replace(r),r.select(0,0)};const z=e=>(n,o,r)=>{const i=n.getPreviousSibling(),s=n.getNextSibling(),c=t.$createListItemNode("check"===e?"x"===r[3]:void 0);if(t.$isListNode(s)&&s.getListType()===e){const e=s.getFirstChild();null!==e?e.insertBefore(c):s.append(c),n.remove()}else if(t.$isListNode(i)&&i.getListType()===e)i.append(c),n.remove();else{const o=t.$createListNode(e,"number"===e?Number(r[2]):void 0);o.append(c),n.replace(o)}c.append(...o),c.select(0,0);const l=function(e){const t=e.match(/\t/g),n=e.match(/ /g);let o=0;return t&&(o+=t.length),n&&(o+=Math.floor(n.length/4)),o}(r[1]);l&&c.setIndent(l)},q=(e,n,o)=>{const r=[],i=e.getChildren();let s=0;for(const c of i)if(t.$isListItemNode(c)){if(1===c.getChildrenSize()){const e=c.getFirstChild();if(t.$isListNode(e)){r.push(q(e,n,o+1));continue}}const i=" ".repeat(4*o),l=e.getListType(),a="number"===l?`${e.getStart()+s}. `:"check"===l?`- [${c.getChecked()?"x":" "}] `:"- ";r.push(i+a+n(c)),s++}return r.join("\n")},Q={dependencies:[n.HeadingNode],export:(e,t)=>{if(!n.$isHeadingNode(e))return null;const o=Number(e.getTag().slice(1));return"#".repeat(o)+" "+t(e)},regExp:O,replace:j((e=>{const t="h"+e[1].length;return n.$createHeadingNode(t)})),type:"element"},W={dependencies:[n.QuoteNode],export:(e,t)=>{if(!n.$isQuoteNode(e))return null;const o=t(e).split("\n"),r=[];for(const e of o)r.push("> "+e);return r.join("\n")},regExp:A,replace:(t,o,r,i)=>{if(i){const r=t.getPreviousSibling();if(n.$isQuoteNode(r))return r.splice(r.getChildrenSize(),0,[e.$createLineBreakNode(),...o]),r.select(0,0),void t.remove()}const s=n.$createQuoteNode();s.append(...o),t.replace(s),s.select(0,0)},type:"element"},G={dependencies:[r.CodeNode],export:e=>{if(!r.$isCodeNode(e))return null;const t=e.getTextContent();return"```"+(e.getLanguage()||"")+(t?"\n"+t:"")+"\n```"},regExpEnd:{optional:!0,regExp:D},regExpStart:P,replace:(t,n,o,i,s,c)=>{let l,a;if(!n&&s){if(1===s.length)i?(l=r.$createCodeNode(),a=o[1]+s[0]):(l=r.$createCodeNode(o[1]),a=s[0].startsWith(" ")?s[0].slice(1):s[0]);else{if(l=r.$createCodeNode(o[1]),0===s[0].trim().length)for(;s.length>0&&!s[0].length;)s.shift();else s[0]=s[0].startsWith(" ")?s[0].slice(1):s[0];for(;s.length>0&&!s[s.length-1].length;)s.pop();a=s.join("\n")}const n=e.$createTextNode(a);l.append(n),t.append(l)}else n&&j((e=>r.$createCodeNode(e?e[1]:void 0)))(t,n,o,c)},type:"multiline-element"},K={dependencies:[t.ListNode,t.ListItemNode],export:(e,n)=>t.$isListNode(e)?q(e,n,0):null,regExp:F,replace:z("bullet"),type:"element"},X={dependencies:[t.ListNode,t.ListItemNode],export:(e,n)=>t.$isListNode(e)?q(e,n,0):null,regExp:k,replace:z("check"),type:"element"},V={dependencies:[t.ListNode,t.ListItemNode],export:(e,n)=>t.$isListNode(e)?q(e,n,0):null,regExp:M,replace:z("number"),type:"element"},J={format:["code"],tag:"`",type:"text-format"},Y={format:["highlight"],tag:"==",type:"text-format"},Z={format:["bold","italic"],tag:"***",type:"text-format"},ee={format:["bold","italic"],intraword:!1,tag:"___",type:"text-format"},te={format:["bold"],tag:"**",type:"text-format"},ne={format:["bold"],intraword:!1,tag:"__",type:"text-format"},oe={format:["strikethrough"],tag:"~~",type:"text-format"},re={format:["italic"],tag:"*",type:"text-format"},ie={format:["italic"],intraword:!1,tag:"_",type:"text-format"},se={dependencies:[i.LinkNode],export:(t,n,o)=>{if(!i.$isLinkNode(t))return null;const r=t.getTitle(),s=r?`[${t.getTextContent()}](${t.getURL()} "${r}")`:`[${t.getTextContent()}](${t.getURL()})`,c=t.getFirstChild();return 1===t.getChildrenSize()&&e.$isTextNode(c)?o(c,s):s},importRegExp:/(?:\[([^[]+)\])(?:\((?:([^()\s]+)(?:\s"((?:[^"]*\\")*[^"]*)"\s*)?)\))/,regExp:/(?:\[([^[]+)\])(?:\((?:([^()\s]+)(?:\s"((?:[^"]*\\")*[^"]*)"\s*)?)\))$/,replace:(t,n)=>{const[,o,r,s]=n,c=i.$createLinkNode(r,{title:s}),l=e.$createTextNode(o);l.setFormat(t.getFormat()),c.append(l),t.replace(c)},trigger:")",type:"text-match"};const ce=[Q,W,K,V],le=[G],ae=[J,Z,ee,te,ne,Y,re,ie,oe],fe=[se],ue=[...ce,...le,...ae,...fe];exports.$convertFromMarkdownString=function(e,t=ue,n,o=!1,r=!1){const i=o?e:function(e,t=!1){const n=e.split("\n");let o=!1;const r=[];for(let e=0;e<n.length;e++){const i=n[e],s=r[r.length-1];B.test(i)?r.push(i):P.test(i)||D.test(i)?(o=!o,r.push(i)):o||""===i||""===s||!s||O.test(s)||O.test(i)||A.test(i)||M.test(i)||F.test(i)||k.test(i)||H.test(i)||U.test(i)||!t?r.push(i):r[r.length-1]=s+i}return r.join("\n")}(e,r);return S(t,o)(i,n)},exports.$convertToMarkdownString=function(t=ue,n,o=!1){return function(t,n=!1){const o=c(t),r=[...o.multilineElement,...o.element],i=!n,s=o.textFormat.filter((e=>1===e.format.length));return t=>{const n=[],c=(t||e.$getRoot()).getChildren();for(let e=0;e<c.length;e++){const t=c[e],l=u(t,r,s,o.textMatch);null!=l&&n.push(i&&e>0&&!f(t)&&!f(c[e-1])?"\n".concat(l):l)}return n.join("\n")}}(t,o)(n)},exports.BOLD_ITALIC_STAR=Z,exports.BOLD_ITALIC_UNDERSCORE=ee,exports.BOLD_STAR=te,exports.BOLD_UNDERSCORE=ne,exports.CHECK_LIST=X,exports.CODE=G,exports.ELEMENT_TRANSFORMERS=ce,exports.HEADING=Q,exports.HIGHLIGHT=Y,exports.INLINE_CODE=J,exports.ITALIC_STAR=re,exports.ITALIC_UNDERSCORE=ie,exports.LINK=se,exports.MULTILINE_ELEMENT_TRANSFORMERS=le,exports.ORDERED_LIST=V,exports.QUOTE=W,exports.STRIKETHROUGH=oe,exports.TEXT_FORMAT_TRANSFORMERS=ae,exports.TEXT_MATCH_TRANSFORMERS=fe,exports.TRANSFORMERS=ue,exports.UNORDERED_LIST=K,exports.registerMarkdownShortcuts=function(t,n=ue){const o=c(n),i=s(o.textFormat,(({tag:e})=>e[e.length-1])),a=s(o.textMatch,(({trigger:e})=>e));for(const e of n){const n=e.type;if("element"===n||"text-match"===n||"multiline-element"===n){const n=e.dependencies;for(const e of n)t.hasNode(e)||w(173,e.getType())}}const f=(t,n,r)=>{(function(t,n,o,r){const i=t.getParent();if(!e.$isRootOrShadowRoot(i)||t.getFirstChild()!==n)return!1;const s=n.getTextContent();if(" "!==s[o-1])return!1;for(const{regExp:e,replace:i}of r){const r=s.match(e);if(r&&r[0].length===(r[0].endsWith(" ")?o:o-1)){const e=n.getNextSiblings(),[s,c]=n.splitText(o);if(s.remove(),!1!==i(t,c?[c,...e]:e,r,!1))return!0}}return!1})(t,n,r,o.element)||function(t,n,o,r){const i=t.getParent();if(!e.$isRootOrShadowRoot(i)||t.getFirstChild()!==n)return!1;const s=n.getTextContent();if(" "!==s[o-1])return!1;for(const{regExpStart:e,replace:i,regExpEnd:c}of r){if(c&&!("optional"in c)||c&&"optional"in c&&!c.optional)continue;const r=s.match(e);if(r&&r[0].length===(r[0].endsWith(" ")?o:o-1)){const e=n.getNextSiblings(),[s,c]=n.splitText(o);if(s.remove(),!1!==i(t,c?[c,...e]:e,r,null,null,!1))return!0}}return!1}(t,n,r,o.multilineElement)||function(e,t,n){let o=e.getTextContent();const r=n[o[t-1]];if(null==r)return!1;t<o.length&&(o=o.slice(0,t));for(const t of r){if(!t.replace||!t.regExp)continue;const n=o.match(t.regExp);if(null===n)continue;const r=n.index||0,i=r+n[0].length;let s;return 0===r?[s]=e.splitText(i):[,s]=e.splitText(r,i),s.selectNext(0,0),t.replace(s,n),!0}return!1}(n,r,a)||function(t,n,o){const r=t.getTextContent(),i=n-1,s=r[i],c=o[s];if(!c)return!1;for(const n of c){const{tag:o}=n,c=o.length,a=i-c+1;if(c>1&&!_(r,a,o,0,c))continue;if(" "===r[a-1])continue;const f=r[i+1];if(!1===n.intraword&&f&&!l.test(f))continue;const u=t;let g=u,p=b(r,a,o),d=g;for(;p<0&&(d=d.getPreviousSibling())&&!e.$isLineBreakNode(d);)if(e.$isTextNode(d)){const e=d.getTextContent();g=d,p=b(e,e.length,o)}if(p<0)continue;if(g===u&&p+c===a)continue;const x=g.getTextContent();if(p>0&&x[p-1]===s)continue;const h=x[p-1];if(!1===n.intraword&&h&&!l.test(h))continue;const m=u.getTextContent(),$=m.slice(0,a)+m.slice(i+1);u.setTextContent($);const N=g===u?$:x;g.setTextContent(N.slice(0,p)+N.slice(p+c));const T=e.$getSelection(),E=e.$createRangeSelection();e.$setSelection(E);const S=i-c*(g===u?2:1)+1;E.anchor.set(g.__key,p,"text"),E.focus.set(u.__key,S,"text");for(const e of n.format)E.hasFormat(e)||E.formatText(e);E.anchor.set(E.focus.key,E.focus.offset,E.focus.type);for(const e of n.format)E.hasFormat(e)&&E.toggleFormat(e);return e.$isRangeSelection(T)&&(E.format=T.format),!0}}(n,r,i)};return t.registerUpdateListener((({tags:n,dirtyLeaves:o,editorState:i,prevEditorState:s})=>{if(n.has("collaboration")||n.has("historic"))return;if(t.isComposing())return;const c=i.read(e.$getSelection),l=s.read(e.$getSelection);if(!e.$isRangeSelection(l)||!e.$isRangeSelection(c)||!c.isCollapsed()||c.is(l))return;const a=c.anchor.key,u=c.anchor.offset,g=i._nodeMap.get(a);!e.$isTextNode(g)||!o.has(a)||1!==u&&u>l.anchor.offset+1||t.update((()=>{if(g.hasFormat("code"))return;const e=g.getParent();null===e||r.$isCodeNode(e)||f(e,g,c.anchor.offset)}))}))}; | ||
"use strict";var e=require("lexical"),t=require("@lexical/list"),n=require("@lexical/rich-text"),o=require("@lexical/utils"),r=require("@lexical/code"),i=require("@lexical/link");function s(e,t){const n={};for(const o of e){const e=t(o);e&&(n[e]?n[e].push(o):n[e]=[o])}return n}function c(e){const t=s(e,(e=>e.type));return{element:t.element||[],multilineElement:t["multiline-element"]||[],textFormat:t["text-format"]||[],textMatch:t["text-match"]||[]}}const l=/[!-/:-@[-`{-~\s]/,a=/^\s{0,3}$/;function f(t){if(!e.$isParagraphNode(t))return!1;const n=t.getFirstChild();return null==n||1===t.getChildrenSize()&&e.$isTextNode(n)&&a.test(n.getTextContent())}function d(t,n,o,r){for(const e of n){if(!e.export)continue;const n=e.export(t,(e=>u(e,o,r)));if(null!=n)return n}return e.$isElementNode(t)?u(t,o,r):e.$isDecoratorNode(t)?t.getTextContent():null}function u(t,n,o,r,i){const s=[],c=t.getChildren();r||(r=[]),i||(i=[]);e:for(const t of c){for(const e of o){if(!e.export)continue;const c=e.export(t,(e=>u(e,n,o,r,[...i,...r])),((e,t)=>g(e,t,n,r,i)));if(null!=c){s.push(c);continue e}}e.$isLineBreakNode(t)?s.push("\n"):e.$isTextNode(t)?s.push(g(t,t.getTextContent(),n,r,i)):e.$isElementNode(t)?s.push(u(t,n,o,r,i)):e.$isDecoratorNode(t)&&s.push(t.getTextContent())}return s.join("")}function g(e,t,n,o,r){const i=t.trim();let s=i,c="",l="",a="";const f=p(e,!0),d=p(e,!1),u=new Set;for(const t of n){const n=t.format[0],r=t.tag;x(e,n)&&!u.has(n)&&(u.add(n),x(f,n)&&o.find((e=>e.tag===r))||(o.push({format:n,tag:r}),c+=r))}for(let t=0;t<o.length;t++){const n=x(e,o[t].format),i=x(d,o[t].format);if(n&&i)continue;const s=[...o];for(;s.length>t;){const e=s.pop();r&&e&&r.find((t=>t.tag===e.tag))||(e&&"string"==typeof e.tag&&(n?i||(a+=e.tag):l+=e.tag),o.pop())}break}return s=c+s+a,l+t.replace(i,(()=>s))}function p(t,n){let o=n?t.getPreviousSibling():t.getNextSibling();if(!o){const e=t.getParentOrThrow();e.isInline()&&(o=n?e.getPreviousSibling():e.getNextSibling())}for(;o;){if(e.$isElementNode(o)){if(!o.isInline())break;const t=n?o.getLastDescendant():o.getFirstDescendant();if(e.$isTextNode(t))return t;o=n?o.getPreviousSibling():o.getNextSibling()}if(e.$isTextNode(o))return o;if(!e.$isElementNode(o))return null}return null}function x(t,n){return e.$isTextNode(t)&&t.hasFormat(n)}const h="undefined"!=typeof window&&void 0!==window.document&&void 0!==window.document.createElement,m=h&&"documentMode"in document?document.documentMode:null;h&&"InputEvent"in window&&!m&&new window.InputEvent("input");const N=h&&/Version\/[\d.]+.*Safari/.test(navigator.userAgent),$=h&&/iPad|iPhone|iPod/.test(navigator.userAgent)&&!window.MSStream,T=h&&/^(?=.*Chrome).*/i.test(navigator.userAgent),E=h&&/AppleWebKit\/[\d.]+/.test(navigator.userAgent)&&!T;function S(e,t){const n=function(e,t){const n=e.match(t.openTagsRegExp);if(null==n)return null;for(const o of n){const n=o.replace(/^\s/,""),r=t.fullMatchRegExpByTag[n];if(null==r)continue;const i=e.match(r),s=t.transformersByTag[n];if(null!=i&&null!=s){if(!1!==s.intraword)return i;const{index:t=0}=i,n=e[t-1],o=e[t+i[0].length];if((!n||l.test(n))&&(!o||l.test(o)))return i}}return null}(e.getTextContent(),t);if(!n)return null;const o=n.index||0;return{endIndex:o+n[0].length,match:n,startIndex:o,transformer:t.transformersByTag[n[1]]}}function C(t){return e.$isTextNode(t)&&!t.hasFormat("code")}function L(e,t,n){let o=S(e,t),r=function(e,t){const n=e;let o,r,i,s;for(const e of t){if(!e.replace||!e.importRegExp)continue;const t=n.getTextContent().match(e.importRegExp);if(!t)continue;const c=t.index||0,l=e.getEndIndex?e.getEndIndex(n,t):c+t[0].length;!1!==l&&(void 0===o||void 0===r||c<o&&l>r)&&(o=c,r=l,i=e,s=t)}return void 0===o||void 0===r||void 0===i||void 0===s?null:{endIndex:r,match:s,startIndex:o,transformer:i}}(e,n);if(o&&r&&(o.startIndex<=r.startIndex&&o.endIndex>=r.endIndex?r=null:o=null),o){const r=function(e,t,n,o,r){const i=e.getTextContent();let s,c,l;if(r[0]===i?s=e:0===t?[s,c]=e.splitText(n):[l,s,c]=e.splitText(t,n),s.setTextContent(r[2]),o)for(const e of o.format)s.hasFormat(e)||s.toggleFormat(e);return{nodeAfter:c,nodeBefore:l,transformedNode:s}}(e,o.startIndex,o.endIndex,o.transformer,o.match);return C(r.nodeAfter)&&L(r.nodeAfter,t,n),C(r.nodeBefore)&&L(r.nodeBefore,t,n),void(C(r.transformedNode)&&L(r.transformedNode,t,n))}if(r){const o=function(e,t,n,o,r){let i,s,c;return 0===t?[i,s]=e.splitText(n):[c,i,s]=e.splitText(t,n),o.replace?{nodeAfter:s,nodeBefore:c,transformedNode:o.replace(i,r)||void 0}:null}(e,r.startIndex,r.endIndex,r.transformer,r.match);if(!o)return;return C(o.nodeAfter)&&L(o.nodeAfter,t,n),C(o.nodeBefore)&&L(o.nodeBefore,t,n),void(C(o.transformedNode)&&L(o.transformedNode,t,n))}}function R(t,n=!1){const o=c(t),r=function(e){const t={},n={},o=[],r="(?<![\\\\])";for(const r of e){const{tag:e}=r;t[e]=r;const i=e.replace(/(\*|\^|\+)/g,"\\$1");o.push(i),n[e]=N||$||E?new RegExp(`(${i})(?![${i}\\s])(.*?[^${i}\\s])${i}(?!${i})`):new RegExp(`(?<![\\\\${i}])(${i})((\\\\${i})?.*?[^${i}\\s](\\\\${i})?)((?<!\\\\)|(?<=\\\\\\\\))(${i})(?![\\\\${i}])`)}return{fullMatchRegExpByTag:n,openTagsRegExp:new RegExp((N||$||E?"":`${r}`)+"("+o.join("|")+")","g"),transformersByTag:t}}(o.textFormat);return(t,i)=>{const s=t.split("\n"),c=s.length,l=i||e.$getRoot();l.clear();for(let e=0;e<c;e++){const t=s[e],[n,i]=I(s,e,o.multilineElement,l);n?e=i:v(t,l,o.element,r,o.textMatch)}const a=l.getChildren();for(const e of a)!n&&f(e)&&l.getChildrenSize()>1&&e.remove();null!==e.$getSelection()&&l.selectStart()}}function I(e,t,n,o){for(const r of n){const{handleImportAfterStartMatch:n,regExpEnd:i,regExpStart:s,replace:c}=r,l=e[t].match(s);if(!l)continue;if(n){const i=n({lines:e,rootNode:o,startLineIndex:t,startMatch:l,transformer:r});if(null===i)continue;if(i)return i}const a="object"==typeof i&&"regExp"in i?i.regExp:i,f=i&&"object"==typeof i&&"optional"in i?i.optional:!i;let d=t;const u=e.length;for(;d<u;){const n=a?e[d].match(a):null;if(!n&&(!f||f&&d<u-1)){d++;continue}if(n&&t===d&&n.index===l.index){d++;continue}const r=[];if(n&&t===d)r.push(e[t].slice(l[0].length,-n[0].length));else for(let o=t;o<=d;o++)if(o===t){const t=e[o].slice(l[0].length);r.push(t)}else if(o===d&&n){const t=e[o].slice(0,-n[0].length);r.push(t)}else r.push(e[o]);if(!1!==c(o,null,l,n,r,!0))return[!0,d];break}}return[!1,t]}function v(r,i,s,c,l){const a=e.$createTextNode(r),f=e.$createParagraphNode();f.append(a),i.append(f);for(const{regExp:e,replace:t}of s){const n=r.match(e);if(n&&(a.setTextContent(r.slice(n[0].length)),!1!==t(f,[a],n,!0)))break}if(L(a,c,l),f.isAttached()&&r.length>0){const r=f.getPreviousSibling();if(e.$isParagraphNode(r)||n.$isQuoteNode(r)||t.$isListNode(r)){let n=r;if(t.$isListNode(r)){const e=r.getLastDescendant();n=null==e?null:o.$findMatchingParent(e,t.$isListItemNode)}null!=n&&n.getTextContentSize()>0&&(n.splice(n.getChildrenSize(),0,[e.$createLineBreakNode(),...f.getChildren()]),f.remove())}}}function y(e){return e&&e.__esModule&&Object.prototype.hasOwnProperty.call(e,"default")?e.default:e}var b=function(e){const t=new URLSearchParams;t.append("code",e);for(let e=1;e<arguments.length;e++)t.append("v",arguments[e]);throw Error(`Minified Lexical error #${e}; visit https://lexical.dev/docs/error?${t} for the full message or use the non-minified dev environment for full errors and additional helpful warnings.`)},w=y(b);function _(e,t,n){const o=n.length;for(let r=t;r>=o;r--){const t=r-o;if(M(e,t,n,0,o)&&" "!==e[t+o])return t}return-1}function M(e,t,n,o,r){for(let i=0;i<r;i++)if(e[t+i]!==n[o+i])return!1;return!0}const A=/^(\s*)(\d{1,})\.\s/,F=/^(\s*)[-*+]\s/,k=/^(\s*)(?:-\s)?\s?(\[(\s|x)?\])\s/i,O=/^(#{1,6})\s/,B=/^>\s/,P=/^[ \t]*```(\w+)?/,D=/[ \t]*```$/,H=/^[ \t]*```[^`]+(?:(?:`{1,2}|`{4,})[^`]+)*```(?:[^`]|$)/,U=/^(?:\|)(.+)(?:\|)\s?$/,j=/^(\| ?:?-*:? ?)+\|\s?$/,q=e=>(t,n,o)=>{const r=e(o);r.append(...n),t.replace(r),r.select(0,0)};const z=e=>(n,o,r)=>{const i=n.getPreviousSibling(),s=n.getNextSibling(),c=t.$createListItemNode("check"===e?"x"===r[3]:void 0);if(t.$isListNode(s)&&s.getListType()===e){const e=s.getFirstChild();null!==e?e.insertBefore(c):s.append(c),n.remove()}else if(t.$isListNode(i)&&i.getListType()===e)i.append(c),n.remove();else{const o=t.$createListNode(e,"number"===e?Number(r[2]):void 0);o.append(c),n.replace(o)}c.append(...o),c.select(0,0);const l=function(e){const t=e.match(/\t/g),n=e.match(/ /g);let o=0;return t&&(o+=t.length),n&&(o+=Math.floor(n.length/4)),o}(r[1]);l&&c.setIndent(l)},Q=(e,n,o)=>{const r=[],i=e.getChildren();let s=0;for(const c of i)if(t.$isListItemNode(c)){if(1===c.getChildrenSize()){const e=c.getFirstChild();if(t.$isListNode(e)){r.push(Q(e,n,o+1));continue}}const i=" ".repeat(4*o),l=e.getListType(),a="number"===l?`${e.getStart()+s}. `:"check"===l?`- [${c.getChecked()?"x":" "}] `:"- ";r.push(i+a+n(c)),s++}return r.join("\n")},W={dependencies:[n.HeadingNode],export:(e,t)=>{if(!n.$isHeadingNode(e))return null;const o=Number(e.getTag().slice(1));return"#".repeat(o)+" "+t(e)},regExp:O,replace:q((e=>{const t="h"+e[1].length;return n.$createHeadingNode(t)})),type:"element"},G={dependencies:[n.QuoteNode],export:(e,t)=>{if(!n.$isQuoteNode(e))return null;const o=t(e).split("\n"),r=[];for(const e of o)r.push("> "+e);return r.join("\n")},regExp:B,replace:(t,o,r,i)=>{if(i){const r=t.getPreviousSibling();if(n.$isQuoteNode(r))return r.splice(r.getChildrenSize(),0,[e.$createLineBreakNode(),...o]),r.select(0,0),void t.remove()}const s=n.$createQuoteNode();s.append(...o),t.replace(s),s.select(0,0)},type:"element"},K={dependencies:[r.CodeNode],export:e=>{if(!r.$isCodeNode(e))return null;const t=e.getTextContent();return"```"+(e.getLanguage()||"")+(t?"\n"+t:"")+"\n```"},regExpEnd:{optional:!0,regExp:D},regExpStart:P,replace:(t,n,o,i,s,c)=>{let l,a;if(!n&&s){if(1===s.length)i?(l=r.$createCodeNode(),a=o[1]+s[0]):(l=r.$createCodeNode(o[1]),a=s[0].startsWith(" ")?s[0].slice(1):s[0]);else{if(l=r.$createCodeNode(o[1]),0===s[0].trim().length)for(;s.length>0&&!s[0].length;)s.shift();else s[0]=s[0].startsWith(" ")?s[0].slice(1):s[0];for(;s.length>0&&!s[s.length-1].length;)s.pop();a=s.join("\n")}const n=e.$createTextNode(a);l.append(n),t.append(l)}else n&&q((e=>r.$createCodeNode(e?e[1]:void 0)))(t,n,o,c)},type:"multiline-element"},X={dependencies:[t.ListNode,t.ListItemNode],export:(e,n)=>t.$isListNode(e)?Q(e,n,0):null,regExp:F,replace:z("bullet"),type:"element"},V={dependencies:[t.ListNode,t.ListItemNode],export:(e,n)=>t.$isListNode(e)?Q(e,n,0):null,regExp:k,replace:z("check"),type:"element"},J={dependencies:[t.ListNode,t.ListItemNode],export:(e,n)=>t.$isListNode(e)?Q(e,n,0):null,regExp:A,replace:z("number"),type:"element"},Y={format:["code"],tag:"`",type:"text-format"},Z={format:["highlight"],tag:"==",type:"text-format"},ee={format:["bold","italic"],tag:"***",type:"text-format"},te={format:["bold","italic"],intraword:!1,tag:"___",type:"text-format"},ne={format:["bold"],tag:"**",type:"text-format"},oe={format:["bold"],intraword:!1,tag:"__",type:"text-format"},re={format:["strikethrough"],tag:"~~",type:"text-format"},ie={format:["italic"],tag:"*",type:"text-format"},se={format:["italic"],intraword:!1,tag:"_",type:"text-format"},ce={dependencies:[i.LinkNode],export:(e,t,n)=>{if(!i.$isLinkNode(e))return null;const o=e.getTitle(),r=t(e);return o?`[${r}](${e.getURL()} "${o}")`:`[${r}](${e.getURL()})`},importRegExp:/(?:\[([^[]+)\])(?:\((?:([^()\s]+)(?:\s"((?:[^"]*\\")*[^"]*)"\s*)?)\))/,regExp:/(?:\[([^[]+)\])(?:\((?:([^()\s]+)(?:\s"((?:[^"]*\\")*[^"]*)"\s*)?)\))$/,replace:(t,n)=>{const[,o,r,s]=n,c=i.$createLinkNode(r,{title:s}),l=e.$createTextNode(o);return l.setFormat(t.getFormat()),c.append(l),t.replace(c),l},trigger:")",type:"text-match"};const le=[W,G,X,J],ae=[K],fe=[Y,ee,te,ne,oe,Z,ie,se,re],de=[ce],ue=[...le,...ae,...fe,...de];exports.$convertFromMarkdownString=function(e,t=ue,n,o=!1,r=!1){const i=o?e:function(e,t=!1){const n=e.split("\n");let o=!1;const r=[];for(let e=0;e<n.length;e++){const i=n[e],s=r[r.length-1];H.test(i)?r.push(i):P.test(i)||D.test(i)?(o=!o,r.push(i)):o||""===i||""===s||!s||O.test(s)||O.test(i)||B.test(i)||A.test(i)||F.test(i)||k.test(i)||U.test(i)||j.test(i)||!t?r.push(i):r[r.length-1]=s+i}return r.join("\n")}(e,r);return R(t,o)(i,n)},exports.$convertToMarkdownString=function(t=ue,n,o=!1){return function(t,n=!1){const o=c(t),r=[...o.multilineElement,...o.element],i=!n,s=o.textFormat.filter((e=>1===e.format.length)).sort(((e,t)=>Number(e.format.includes("code"))-Number(t.format.includes("code"))));return t=>{const n=[],c=(t||e.$getRoot()).getChildren();for(let e=0;e<c.length;e++){const t=c[e],l=d(t,r,s,o.textMatch);null!=l&&n.push(i&&e>0&&!f(t)&&!f(c[e-1])?"\n".concat(l):l)}return n.join("\n")}}(t,o)(n)},exports.BOLD_ITALIC_STAR=ee,exports.BOLD_ITALIC_UNDERSCORE=te,exports.BOLD_STAR=ne,exports.BOLD_UNDERSCORE=oe,exports.CHECK_LIST=V,exports.CODE=K,exports.ELEMENT_TRANSFORMERS=le,exports.HEADING=W,exports.HIGHLIGHT=Z,exports.INLINE_CODE=Y,exports.ITALIC_STAR=ie,exports.ITALIC_UNDERSCORE=se,exports.LINK=ce,exports.MULTILINE_ELEMENT_TRANSFORMERS=ae,exports.ORDERED_LIST=J,exports.QUOTE=G,exports.STRIKETHROUGH=re,exports.TEXT_FORMAT_TRANSFORMERS=fe,exports.TEXT_MATCH_TRANSFORMERS=de,exports.TRANSFORMERS=ue,exports.UNORDERED_LIST=X,exports.registerMarkdownShortcuts=function(t,n=ue){const o=c(n),i=s(o.textFormat,(({tag:e})=>e[e.length-1])),a=s(o.textMatch,(({trigger:e})=>e));for(const e of n){const n=e.type;if("element"===n||"text-match"===n||"multiline-element"===n){const n=e.dependencies;for(const e of n)t.hasNode(e)||w(173,e.getType())}}const f=(t,n,r)=>{(function(t,n,o,r){const i=t.getParent();if(!e.$isRootOrShadowRoot(i)||t.getFirstChild()!==n)return!1;const s=n.getTextContent();if(" "!==s[o-1])return!1;for(const{regExp:e,replace:i}of r){const r=s.match(e);if(r&&r[0].length===(r[0].endsWith(" ")?o:o-1)){const e=n.getNextSiblings(),[s,c]=n.splitText(o);if(s.remove(),!1!==i(t,c?[c,...e]:e,r,!1))return!0}}return!1})(t,n,r,o.element)||function(t,n,o,r){const i=t.getParent();if(!e.$isRootOrShadowRoot(i)||t.getFirstChild()!==n)return!1;const s=n.getTextContent();if(" "!==s[o-1])return!1;for(const{regExpStart:e,replace:i,regExpEnd:c}of r){if(c&&!("optional"in c)||c&&"optional"in c&&!c.optional)continue;const r=s.match(e);if(r&&r[0].length===(r[0].endsWith(" ")?o:o-1)){const e=n.getNextSiblings(),[s,c]=n.splitText(o);if(s.remove(),!1!==i(t,c?[c,...e]:e,r,null,null,!1))return!0}}return!1}(t,n,r,o.multilineElement)||function(e,t,n){let o=e.getTextContent();const r=n[o[t-1]];if(null==r)return!1;t<o.length&&(o=o.slice(0,t));for(const t of r){if(!t.replace||!t.regExp)continue;const n=o.match(t.regExp);if(null===n)continue;const r=n.index||0,i=r+n[0].length;let s;return 0===r?[s]=e.splitText(i):[,s]=e.splitText(r,i),s.selectNext(0,0),t.replace(s,n),!0}return!1}(n,r,a)||function(t,n,o){const r=t.getTextContent(),i=n-1,s=r[i],c=o[s];if(!c)return!1;for(const n of c){const{tag:o}=n,c=o.length,a=i-c+1;if(c>1&&!M(r,a,o,0,c))continue;if(" "===r[a-1])continue;const f=r[i+1];if(!1===n.intraword&&f&&!l.test(f))continue;const d=t;let u=d,g=_(r,a,o),p=u;for(;g<0&&(p=p.getPreviousSibling())&&!e.$isLineBreakNode(p);)if(e.$isTextNode(p)){const e=p.getTextContent();u=p,g=_(e,e.length,o)}if(g<0)continue;if(u===d&&g+c===a)continue;const x=u.getTextContent();if(g>0&&x[g-1]===s)continue;const h=x[g-1];if(!1===n.intraword&&h&&!l.test(h))continue;const m=d.getTextContent(),N=m.slice(0,a)+m.slice(i+1);d.setTextContent(N);const $=u===d?N:x;u.setTextContent($.slice(0,g)+$.slice(g+c));const T=e.$getSelection(),E=e.$createRangeSelection();e.$setSelection(E);const S=i-c*(u===d?2:1)+1;E.anchor.set(u.__key,g,"text"),E.focus.set(d.__key,S,"text");for(const e of n.format)E.hasFormat(e)||E.formatText(e);E.anchor.set(E.focus.key,E.focus.offset,E.focus.type);for(const e of n.format)E.hasFormat(e)&&E.toggleFormat(e);return e.$isRangeSelection(T)&&(E.format=T.format),!0}}(n,r,i)};return t.registerUpdateListener((({tags:n,dirtyLeaves:o,editorState:i,prevEditorState:s})=>{if(n.has("collaboration")||n.has("historic"))return;if(t.isComposing())return;const c=i.read(e.$getSelection),l=s.read(e.$getSelection);if(!e.$isRangeSelection(l)||!e.$isRangeSelection(c)||!c.isCollapsed()||c.is(l))return;const a=c.anchor.key,d=c.anchor.offset,u=i._nodeMap.get(a);!e.$isTextNode(u)||!o.has(a)||1!==d&&d>l.anchor.offset+1||t.update((()=>{if(!C(u))return;const e=u.getParent();null===e||r.$isCodeNode(e)||f(e,u,c.anchor.offset)}))}))}; |
@@ -8,4 +8,9 @@ /** | ||
*/ | ||
import type { Transformer } from './MarkdownTransformers'; | ||
import type { TextFormatTransformer, Transformer } from './MarkdownTransformers'; | ||
import { ElementNode } from 'lexical'; | ||
export type TextFormatTransformersIndex = Readonly<{ | ||
fullMatchRegExpByTag: Readonly<Record<string, RegExp>>; | ||
openTagsRegExp: RegExp; | ||
transformersByTag: Readonly<Record<string, TextFormatTransformer>>; | ||
}>; | ||
/** | ||
@@ -12,0 +17,0 @@ * Renders markdown from a string. The selection is moved to the start after the operation. |
@@ -111,4 +111,7 @@ /** | ||
* Determines how the matched markdown text should be transformed into a node during the markdown import process | ||
* | ||
* @returns nothing, or a TextNode that may be a child of the new node that is created. | ||
* If a TextNode is returned, text format matching will be applied to it (e.g. bold, italic, etc.) | ||
*/ | ||
replace?: (node: TextNode, match: RegExpMatchArray) => void; | ||
replace?: (node: TextNode, match: RegExpMatchArray) => void | TextNode; | ||
/** | ||
@@ -115,0 +118,0 @@ * For import operations, this function can be used to determine the end index of the match, after `importRegExp` has matched. |
@@ -11,13 +11,13 @@ { | ||
"license": "MIT", | ||
"version": "0.23.2-nightly.20250206.0", | ||
"version": "0.23.2-nightly.20250207.0", | ||
"main": "LexicalMarkdown.js", | ||
"types": "index.d.ts", | ||
"dependencies": { | ||
"@lexical/code": "0.23.2-nightly.20250206.0", | ||
"@lexical/link": "0.23.2-nightly.20250206.0", | ||
"@lexical/list": "0.23.2-nightly.20250206.0", | ||
"@lexical/rich-text": "0.23.2-nightly.20250206.0", | ||
"@lexical/text": "0.23.2-nightly.20250206.0", | ||
"@lexical/utils": "0.23.2-nightly.20250206.0", | ||
"lexical": "0.23.2-nightly.20250206.0" | ||
"@lexical/code": "0.23.2-nightly.20250207.0", | ||
"@lexical/link": "0.23.2-nightly.20250207.0", | ||
"@lexical/list": "0.23.2-nightly.20250207.0", | ||
"@lexical/rich-text": "0.23.2-nightly.20250207.0", | ||
"@lexical/text": "0.23.2-nightly.20250207.0", | ||
"@lexical/utils": "0.23.2-nightly.20250207.0", | ||
"lexical": "0.23.2-nightly.20250207.0" | ||
}, | ||
@@ -24,0 +24,0 @@ "repository": { |
Sorry, the diff of this file is not supported yet
Sorry, the diff of this file is not supported yet
172983
10.4%20
17.65%3263
11.29%+ Added
+ Added
+ Added
+ Added
+ Added
+ Added
+ Added
+ Added
+ Added
+ Added
+ Added
- Removed
- Removed
- Removed
- Removed
- Removed
- Removed
- Removed
- Removed
- Removed
- Removed
- Removed