open-webui/src/lib/components/common/RichTextInput.svelte

814 lines
22 KiB
Svelte
Raw Normal View History

2024-10-18 21:55:39 +00:00
<script lang="ts">
2024-11-21 06:46:51 +00:00
import { marked } from 'marked';
2025-07-07 17:43:28 +00:00
2024-11-21 06:46:51 +00:00
import TurndownService from 'turndown';
import { gfm } from 'turndown-plugin-gfm';
2024-11-24 04:31:33 +00:00
const turndownService = new TurndownService({
2024-11-30 22:15:08 +00:00
codeBlockStyle: 'fenced',
headingStyle: 'atx'
2024-11-24 04:31:33 +00:00
});
turndownService.escape = (string) => string;
// Use turndown-plugin-gfm for proper GFM table support
turndownService.use(gfm);
2025-07-08 19:57:34 +00:00
turndownService.addRule('taskListItems', {
filter: (node) =>
node.nodeName === 'LI' &&
(node.getAttribute('data-checked') === 'true' ||
node.getAttribute('data-checked') === 'false'),
replacement: function (content, node) {
const checked = node.getAttribute('data-checked') === 'true';
content = content.replace(/^\s+/, '');
return `- [${checked ? 'x' : ' '}] ${content}\n`;
}
});
2025-07-08 23:11:51 +00:00
import { onMount, onDestroy, tick, getContext } from 'svelte';
2024-10-19 05:40:15 +00:00
import { createEventDispatcher } from 'svelte';
2025-07-08 23:11:51 +00:00
const i18n = getContext('i18n');
2024-10-19 05:40:15 +00:00
const eventDispatch = createEventDispatcher();
2024-10-18 21:55:39 +00:00
2025-07-07 17:43:28 +00:00
import { Fragment, DOMParser } from 'prosemirror-model';
import { EditorState, Plugin, PluginKey, TextSelection, Selection } from 'prosemirror-state';
2024-11-29 07:22:53 +00:00
import { Decoration, DecorationSet } from 'prosemirror-view';
2024-11-21 06:46:51 +00:00
import { Editor } from '@tiptap/core';
2024-11-29 07:22:53 +00:00
import { AIAutocompletion } from './RichTextInput/AutoCompletion.js';
import Table from '@tiptap/extension-table';
import TableRow from '@tiptap/extension-table-row';
import TableHeader from '@tiptap/extension-table-header';
import TableCell from '@tiptap/extension-table-cell';
2024-11-29 07:22:53 +00:00
2025-07-08 23:11:51 +00:00
import Underline from '@tiptap/extension-underline';
2025-07-08 19:57:34 +00:00
import TaskItem from '@tiptap/extension-task-item';
import TaskList from '@tiptap/extension-task-list';
2024-11-21 06:56:26 +00:00
import CodeBlockLowlight from '@tiptap/extension-code-block-lowlight';
2024-11-21 06:46:51 +00:00
import Placeholder from '@tiptap/extension-placeholder';
import StarterKit from '@tiptap/starter-kit';
2024-11-21 06:46:51 +00:00
import Highlight from '@tiptap/extension-highlight';
import Typography from '@tiptap/extension-typography';
2025-07-08 23:11:51 +00:00
import BubbleMenu from '@tiptap/extension-bubble-menu';
import FloatingMenu from '@tiptap/extension-floating-menu';
2025-07-07 17:43:28 +00:00
import { all, createLowlight } from 'lowlight';
2024-11-21 06:56:26 +00:00
import { PASTED_TEXT_CHARACTER_LIMIT } from '$lib/constants';
2024-10-18 21:55:39 +00:00
2025-07-08 23:11:51 +00:00
import FormattingButtons from './RichTextInput/FormattingButtons.svelte';
2025-03-06 03:36:30 +00:00
export let oncompositionstart = (e) => {};
export let oncompositionend = (e) => {};
2025-05-03 18:53:23 +00:00
export let onChange = (e) => {};
2025-03-06 03:36:30 +00:00
2024-11-21 06:56:26 +00:00
// create a lowlight instance with all languages loaded
const lowlight = createLowlight(all);
2024-10-18 21:55:39 +00:00
export let className = 'input-prose';
export let placeholder = 'Type here...';
2025-05-03 18:53:23 +00:00
2024-11-21 06:46:51 +00:00
export let id = '';
2025-05-03 18:53:23 +00:00
export let value = '';
export let html = '';
2024-10-18 21:55:39 +00:00
2025-05-03 18:53:23 +00:00
export let json = false;
2025-02-14 06:37:01 +00:00
export let raw = false;
2025-05-04 21:35:43 +00:00
export let editable = true;
2025-02-14 06:37:01 +00:00
2025-07-08 23:11:51 +00:00
export let showFormattingButtons = true;
2024-11-30 23:05:08 +00:00
export let preserveBreaks = false;
2024-11-29 08:16:49 +00:00
export let generateAutoCompletion: Function = async () => null;
2024-11-29 07:22:53 +00:00
export let autocomplete = false;
2024-11-21 06:46:51 +00:00
export let messageInput = false;
export let shiftEnter = false;
export let largeTextAsFile = false;
2025-07-07 17:43:28 +00:00
export let insertPromptAsRichText = false;
2024-10-18 21:55:39 +00:00
2025-07-08 23:11:51 +00:00
let floatingMenuElement = null;
let bubbleMenuElement = null;
2024-11-21 06:46:51 +00:00
let element;
let editor;
2024-10-18 21:55:39 +00:00
2024-11-22 05:32:19 +00:00
const options = {
throwOnError: false
};
2025-05-04 21:35:43 +00:00
$: if (editor) {
editor.setOptions({
editable: editable
});
}
$: if (value === null && html !== null && editor) {
editor.commands.setContent(html);
}
export const getWordAtDocPos = () => {
if (!editor) return '';
const { state } = editor.view;
const pos = state.selection.from;
const doc = state.doc;
const resolvedPos = doc.resolve(pos);
const textBlock = resolvedPos.parent;
const paraStart = resolvedPos.start();
const text = textBlock.textContent;
const offset = resolvedPos.parentOffset;
let wordStart = offset,
wordEnd = offset;
while (wordStart > 0 && !/\s/.test(text[wordStart - 1])) wordStart--;
while (wordEnd < text.length && !/\s/.test(text[wordEnd])) wordEnd++;
const word = text.slice(wordStart, wordEnd);
return word;
};
// Returns {start, end} of the word at pos
function getWordBoundsAtPos(doc, pos) {
const resolvedPos = doc.resolve(pos);
const textBlock = resolvedPos.parent;
const paraStart = resolvedPos.start();
const text = textBlock.textContent;
const offset = resolvedPos.parentOffset;
let wordStart = offset,
wordEnd = offset;
while (wordStart > 0 && !/\s/.test(text[wordStart - 1])) wordStart--;
while (wordEnd < text.length && !/\s/.test(text[wordEnd])) wordEnd++;
return {
start: paraStart + wordStart,
end: paraStart + wordEnd
};
}
export const replaceCommandWithText = async (text) => {
const { state, dispatch } = editor.view;
const { selection } = state;
const pos = selection.from;
// Get the plain text of this document
// const docText = state.doc.textBetween(0, state.doc.content.size, '\n', '\n');
// Find the word boundaries at cursor
const { start, end } = getWordBoundsAtPos(state.doc, pos);
let tr = state.tr;
2025-07-07 17:43:28 +00:00
if (insertPromptAsRichText) {
const htmlContent = marked
.parse(text, {
breaks: true,
gfm: true
})
.trim();
// Create a temporary div to parse HTML
const tempDiv = document.createElement('div');
tempDiv.innerHTML = htmlContent;
// Convert HTML to ProseMirror nodes
const fragment = DOMParser.fromSchema(state.schema).parse(tempDiv);
// Extract just the content, not the wrapper paragraphs
const content = fragment.content;
let nodesToInsert = [];
content.forEach((node) => {
if (node.type.name === 'paragraph') {
// If it's a paragraph, extract its content
nodesToInsert.push(...node.content.content);
} else {
nodesToInsert.push(node);
}
});
tr = tr.replaceWith(start, end, nodesToInsert);
// Calculate new position
const newPos = start + nodesToInsert.reduce((sum, node) => sum + node.nodeSize, 0);
tr = tr.setSelection(Selection.near(tr.doc.resolve(newPos)));
} else {
2025-07-07 17:43:28 +00:00
if (text.includes('\n')) {
// Split the text into lines and create a <p> node for each line
const lines = text.split('\n');
const nodes = lines.map(
(line, index) =>
index === 0
? state.schema.text(line ? line : []) // First line is plain text
: state.schema.nodes.paragraph.create({}, line ? state.schema.text(line) : undefined) // Subsequent lines are paragraphs
);
// Build and dispatch the transaction to replace the word at cursor
tr = tr.replaceWith(start, end, nodes);
let newSelectionPos;
// +1 because the insert happens at start, so last para starts at (start + sum of all previous nodes' sizes)
let lastPos = start;
for (let i = 0; i < nodes.length; i++) {
lastPos += nodes[i].nodeSize;
}
// Place cursor inside the last paragraph at its end
newSelectionPos = lastPos;
tr = tr.setSelection(TextSelection.near(tr.doc.resolve(newSelectionPos)));
} else {
tr = tr.replaceWith(
start,
end, // replace this range
text !== '' ? state.schema.text(text) : []
);
tr = tr.setSelection(
state.selection.constructor.near(tr.doc.resolve(start + text.length + 1))
);
}
}
dispatch(tr);
await tick();
// selectNextTemplate(state, dispatch);
};
export const setText = (text: string) => {
if (!editor) return;
text = text.replaceAll('\n\n', '\n');
const { state, view } = editor;
2025-07-06 13:32:03 +00:00
const { schema, tr } = state;
if (text.includes('\n')) {
// Multiple lines: make paragraphs
const lines = text.split('\n');
// Map each line to a paragraph node (empty lines -> empty paragraph)
const nodes = lines.map((line) =>
schema.nodes.paragraph.create({}, line ? schema.text(line) : undefined)
);
// Create a document fragment containing all parsed paragraphs
const fragment = Fragment.fromArray(nodes);
// Replace current selection with these paragraphs
tr.replaceSelectionWith(fragment, false /* don't select new */);
view.dispatch(tr);
} else if (text === '') {
2025-07-06 13:32:03 +00:00
// Empty: replace with empty paragraph using tr
2025-07-06 17:40:53 +00:00
editor.commands.clearContent();
} else {
2025-07-06 13:32:03 +00:00
// Single line: create paragraph with text
const paragraph = schema.nodes.paragraph.create({}, schema.text(text));
tr.replaceSelectionWith(paragraph, false);
view.dispatch(tr);
}
selectNextTemplate(editor.view.state, editor.view.dispatch);
2025-07-06 13:32:03 +00:00
focus();
};
2025-07-07 17:22:07 +00:00
export const insertContent = (content) => {
if (!editor) return;
const { state, view } = editor;
const { schema, tr } = state;
2025-07-08 23:39:57 +00:00
// Configure marked with extensions
marked.use({
2025-07-07 17:22:07 +00:00
breaks: true,
2025-07-08 23:39:57 +00:00
gfm: true,
renderer: {
list(body, ordered, start) {
const isTaskList = body.includes('data-checked=');
if (isTaskList) {
return `<ul data-type="taskList">${body}</ul>`;
}
const type = ordered ? 'ol' : 'ul';
const startatt = ordered && start !== 1 ? ` start="${start}"` : '';
return `<${type}${startatt}>${body}</${type}>`;
},
listitem(text, task, checked) {
if (task) {
const checkedAttr = checked ? 'true' : 'false';
return `<li data-type="taskItem" data-checked="${checkedAttr}">${text}</li>`;
}
return `<li>${text}</li>`;
}
}
2025-07-07 17:22:07 +00:00
});
2025-07-08 23:39:57 +00:00
// If content is a string, convert it to a ProseMirror node
const htmlContent = marked.parse(content);
2025-07-07 17:22:07 +00:00
// insert the HTML content at the current selection
editor.commands.insertContent(htmlContent);
focus();
};
export const replaceVariables = (variables) => {
if (!editor) return;
const { state, view } = editor;
const { doc } = state;
// Create a transaction to replace variables
let tr = state.tr;
let offset = 0; // Track position changes due to text length differences
// Collect all replacements first to avoid position conflicts
const replacements = [];
doc.descendants((node, pos) => {
if (node.isText && node.text) {
const text = node.text;
const replacedText = text.replace(/{{\s*([^|}]+)(?:\|[^}]*)?\s*}}/g, (match, varName) => {
const trimmedVarName = varName.trim();
return variables.hasOwnProperty(trimmedVarName)
? String(variables[trimmedVarName])
: match;
});
if (replacedText !== text) {
replacements.push({
from: pos,
to: pos + text.length,
text: replacedText
});
}
}
});
// Apply replacements in reverse order to maintain correct positions
replacements.reverse().forEach(({ from, to, text }) => {
tr = tr.replaceWith(from, to, text !== '' ? state.schema.text(text) : []);
});
// Only dispatch if there are changes
if (replacements.length > 0) {
view.dispatch(tr);
}
};
2025-07-04 19:40:31 +00:00
export const focus = () => {
if (editor) {
editor.view.focus();
2025-07-06 13:32:03 +00:00
// Scroll to the current selection
2025-07-04 19:40:31 +00:00
editor.view.dispatch(editor.view.state.tr.scrollIntoView());
}
};
2024-11-21 06:46:51 +00:00
// Function to find the next template in the document
2024-10-19 07:23:59 +00:00
function findNextTemplate(doc, from = 0) {
const patterns = [{ start: '{{', end: '}}' }];
2024-10-19 07:23:59 +00:00
let result = null;
doc.nodesBetween(from, doc.content.size, (node, pos) => {
if (result) return false; // Stop if we've found a match
if (node.isText) {
const text = node.text;
let index = Math.max(0, from - pos);
while (index < text.length) {
for (const pattern of patterns) {
if (text.startsWith(pattern.start, index)) {
const endIndex = text.indexOf(pattern.end, index + pattern.start.length);
if (endIndex !== -1) {
result = {
from: pos + index,
to: pos + endIndex + pattern.end.length
};
return false; // Stop searching
}
}
}
index++;
}
}
});
return result;
}
2024-11-21 06:46:51 +00:00
// Function to select the next template in the document
2024-10-19 07:23:59 +00:00
function selectNextTemplate(state, dispatch) {
const { doc, selection } = state;
const from = selection.to;
let template = findNextTemplate(doc, from);
if (!template) {
// If not found, search from the beginning
template = findNextTemplate(doc, 0);
}
if (template) {
if (dispatch) {
const tr = state.tr.setSelection(TextSelection.create(doc, template.from, template.to));
dispatch(tr);
2025-07-03 17:28:09 +00:00
// Scroll to the selected template
dispatch(
tr.scrollIntoView().setMeta('preventScroll', true) // Prevent default scrolling behavior
);
2024-10-19 07:23:59 +00:00
}
return true;
}
2024-10-19 10:15:40 +00:00
return false;
2024-10-19 07:23:59 +00:00
}
2024-11-21 06:46:51 +00:00
export const setContent = (content) => {
editor.commands.setContent(content);
};
2024-10-25 18:51:49 +00:00
2024-11-21 06:46:51 +00:00
const selectTemplate = () => {
if (value !== '') {
// After updating the state, try to find and select the next template
setTimeout(() => {
const templateFound = selectNextTemplate(editor.view.state, editor.view.dispatch);
if (!templateFound) {
2025-07-06 13:32:03 +00:00
editor.commands.focus('end');
2024-11-21 06:46:51 +00:00
}
}, 0);
}
};
2024-10-18 21:55:39 +00:00
2024-11-22 06:20:57 +00:00
onMount(async () => {
2025-02-14 06:37:01 +00:00
let content = value;
2025-07-06 13:32:03 +00:00
if (json) {
if (!content) {
content = html ? html : null;
}
} else {
2025-05-03 18:53:23 +00:00
if (preserveBreaks) {
turndownService.addRule('preserveBreaks', {
filter: 'br', // Target <br> elements
replacement: function (content) {
return '<br/>';
2025-02-14 06:37:01 +00:00
}
2025-05-03 18:53:23 +00:00
});
2024-11-22 06:20:57 +00:00
}
2024-11-22 06:15:04 +00:00
2025-05-03 18:53:23 +00:00
if (!raw) {
async function tryParse(value, attempts = 3, interval = 100) {
try {
// Try parsing the value
return marked.parse(value.replaceAll(`\n<br/>`, `<br/>`), {
breaks: false
});
} catch (error) {
// If no attempts remain, fallback to plain text
if (attempts <= 1) {
return value;
}
// Wait for the interval, then retry
await new Promise((resolve) => setTimeout(resolve, interval));
return tryParse(value, attempts - 1, interval); // Recursive call
}
}
// Usage example
content = await tryParse(value);
}
2025-02-14 06:37:01 +00:00
}
2024-11-22 06:20:57 +00:00
2025-05-03 18:53:23 +00:00
console.log('content', content);
2024-11-21 06:46:51 +00:00
editor = new Editor({
element: element,
2024-11-21 06:56:26 +00:00
extensions: [
StarterKit,
CodeBlockLowlight.configure({
lowlight
}),
Highlight,
Typography,
2025-07-08 23:11:51 +00:00
Underline,
2024-11-29 07:22:53 +00:00
Placeholder.configure({ placeholder }),
Table.configure({ resizable: true }),
TableRow,
TableHeader,
TableCell,
2025-07-08 19:57:34 +00:00
TaskList,
TaskItem.configure({
nested: true
}),
2024-11-29 07:26:09 +00:00
...(autocomplete
? [
AIAutocompletion.configure({
generateCompletion: async (text) => {
if (text.trim().length === 0) {
return null;
}
2024-11-29 08:16:49 +00:00
const suggestion = await generateAutoCompletion(text).catch(() => null);
if (!suggestion || suggestion.trim().length === 0) {
return null;
}
return suggestion;
2024-11-29 07:26:09 +00:00
}
})
]
2025-07-08 23:11:51 +00:00
: []),
...(showFormattingButtons
? [
BubbleMenu.configure({
element: bubbleMenuElement,
tippyOptions: {
duration: 100,
arrow: false,
placement: 'top',
theme: 'transparent',
offset: [0, 2]
}
}),
FloatingMenu.configure({
element: floatingMenuElement,
tippyOptions: {
duration: 100,
arrow: false,
placement: 'top-start',
theme: 'transparent',
offset: [-10, 2]
}
})
]
2024-11-29 07:26:09 +00:00
: [])
2024-11-21 06:56:26 +00:00
],
2024-11-22 05:32:19 +00:00
content: content,
2024-11-30 23:44:04 +00:00
autofocus: messageInput ? true : false,
2024-11-21 06:46:51 +00:00
onTransaction: () => {
// force re-render so `editor.isActive` works as expected
editor = editor;
2025-07-06 13:32:03 +00:00
const htmlValue = editor.getHTML();
const jsonValue = editor.getJSON();
2025-07-08 19:57:34 +00:00
2025-07-06 13:32:03 +00:00
let mdValue = turndownService
.turndown(
htmlValue
.replace(/<p><\/p>/g, '<br/>')
.replace(/ {2,}/g, (m) => m.replace(/ /g, '\u00a0'))
)
.replace(/\u00a0/g, ' ');
2024-12-11 22:07:25 +00:00
2025-05-03 18:53:23 +00:00
onChange({
2025-07-06 13:32:03 +00:00
html: htmlValue,
json: jsonValue,
md: mdValue
2025-05-03 18:53:23 +00:00
});
2024-11-24 07:57:05 +00:00
2025-05-03 18:53:23 +00:00
if (json) {
2025-07-06 13:32:03 +00:00
value = jsonValue;
2025-05-03 18:53:23 +00:00
} else {
2025-07-06 13:32:03 +00:00
if (raw) {
value = htmlValue;
} else {
2025-05-03 18:53:23 +00:00
if (!preserveBreaks) {
2025-07-06 13:32:03 +00:00
mdValue = mdValue.replace(/<br\/>/g, '');
2025-05-03 18:53:23 +00:00
}
2025-07-06 13:32:03 +00:00
if (value !== mdValue) {
value = mdValue;
2025-05-03 18:53:23 +00:00
// check if the node is paragraph as well
if (editor.isActive('paragraph')) {
if (value === '') {
editor.commands.clearContent();
}
2025-02-14 06:37:01 +00:00
}
2024-11-30 22:15:08 +00:00
}
2024-11-24 07:57:05 +00:00
}
2024-11-21 06:46:51 +00:00
}
},
editorProps: {
attributes: { id },
handleDOMEvents: {
2025-03-06 03:36:30 +00:00
compositionstart: (view, event) => {
oncompositionstart(event);
return false;
},
compositionend: (view, event) => {
oncompositionend(event);
return false;
},
2024-11-21 06:46:51 +00:00
focus: (view, event) => {
eventDispatch('focus', { event });
return false;
2024-10-19 05:56:04 +00:00
},
2024-11-26 06:43:34 +00:00
keyup: (view, event) => {
eventDispatch('keyup', { event });
2024-10-19 05:56:04 +00:00
return false;
},
2024-11-21 06:46:51 +00:00
keydown: (view, event) => {
2024-11-30 23:44:04 +00:00
if (messageInput) {
// Handle Tab Key
if (event.key === 'Tab') {
const handled = selectNextTemplate(view.state, view.dispatch);
if (handled) {
event.preventDefault();
return true;
}
2024-11-21 06:46:51 +00:00
}
2024-10-18 21:55:39 +00:00
2024-11-21 06:56:26 +00:00
if (event.key === 'Enter') {
2025-05-28 10:27:34 +00:00
const isCtrlPressed = event.ctrlKey || event.metaKey; // metaKey is for Cmd key on Mac
if (event.shiftKey && !isCtrlPressed) {
editor.commands.enter(); // Insert a new line
2025-05-27 22:10:54 +00:00
view.dispatch(view.state.tr.scrollIntoView()); // Move viewport to the cursor
event.preventDefault();
return true;
} else {
// Check if the current selection is inside a structured block (like codeBlock or list)
const { state } = view;
const { $head } = state.selection;
// Recursive function to check ancestors for specific node types
function isInside(nodeTypes: string[]): boolean {
let currentNode = $head;
while (currentNode) {
if (nodeTypes.includes(currentNode.parent.type.name)) {
return true;
}
if (!currentNode.depth) break; // Stop if we reach the top
currentNode = state.doc.resolve(currentNode.before()); // Move to the parent node
2024-11-21 07:14:06 +00:00
}
2025-05-27 22:10:54 +00:00
return false;
2024-11-21 07:14:06 +00:00
}
2025-05-27 22:10:54 +00:00
const isInCodeBlock = isInside(['codeBlock']);
2025-07-08 20:05:59 +00:00
const isInList = isInside(['listItem', 'bulletList', 'orderedList', 'taskList']);
2025-05-27 22:10:54 +00:00
const isInHeading = isInside(['heading']);
2024-11-21 07:14:06 +00:00
2025-05-27 22:10:54 +00:00
if (isInCodeBlock || isInList || isInHeading) {
// Let ProseMirror handle the normal Enter behavior
return false;
}
2024-11-21 06:56:26 +00:00
}
}
2024-11-21 06:46:51 +00:00
// Handle shift + Enter for a line break
if (shiftEnter) {
2024-11-26 06:43:34 +00:00
if (event.key === 'Enter' && event.shiftKey && !event.ctrlKey && !event.metaKey) {
2024-11-21 06:46:51 +00:00
editor.commands.setHardBreak(); // Insert a hard break
2024-11-21 06:56:26 +00:00
view.dispatch(view.state.tr.scrollIntoView()); // Move viewport to the cursor
2024-11-21 06:46:51 +00:00
event.preventDefault();
return true;
}
}
2024-10-25 18:51:49 +00:00
}
2024-11-21 06:46:51 +00:00
eventDispatch('keydown', { event });
return false;
},
paste: (view, event) => {
if (event.clipboardData) {
const plainText = event.clipboardData.getData('text/plain');
if (plainText) {
if (largeTextAsFile && plainText.length > PASTED_TEXT_CHARACTER_LIMIT) {
// Delegate handling of large text pastes to the parent component.
eventDispatch('paste', { event });
event.preventDefault();
return true;
2024-11-21 06:46:51 +00:00
}
// Workaround for mobile WebViews that strip line breaks when pasting from
// clipboard suggestions (e.g., Gboard clipboard history).
const isMobile = /Android|iPhone|iPad|iPod|Windows Phone/i.test(
navigator.userAgent
);
const isWebView =
typeof window !== 'undefined' &&
(/wv/i.test(navigator.userAgent) || // Standard Android WebView flag
(navigator.userAgent.includes('Android') &&
!navigator.userAgent.includes('Chrome')) || // Other generic Android WebViews
(navigator.userAgent.includes('Safari') &&
!navigator.userAgent.includes('Version'))); // iOS WebView (in-app browsers)
if (isMobile && isWebView && plainText.includes('\n')) {
// Manually deconstruct the pasted text and insert it with hard breaks
// to preserve the multi-line formatting.
const { state, dispatch } = view;
const { from, to } = state.selection;
const lines = plainText.split('\n');
const nodes = [];
lines.forEach((line, index) => {
if (index > 0) {
nodes.push(state.schema.nodes.hardBreak.create());
}
if (line.length > 0) {
nodes.push(state.schema.text(line));
}
});
const fragment = Fragment.fromArray(nodes);
const tr = state.tr.replaceWith(from, to, fragment);
dispatch(tr.scrollIntoView());
event.preventDefault();
return true;
2024-11-21 06:46:51 +00:00
}
// Let ProseMirror handle normal text paste in non-problematic environments.
2024-11-21 06:46:51 +00:00
return false;
}
2024-10-19 06:54:35 +00:00
// Delegate image paste handling to the parent component.
2024-11-21 06:46:51 +00:00
const hasImageFile = Array.from(event.clipboardData.files).some((file) =>
file.type.startsWith('image/')
);
// Fallback for cases where an image is in dataTransfer.items but not clipboardData.files.
2024-11-21 06:46:51 +00:00
const hasImageItem = Array.from(event.clipboardData.items).some((item) =>
item.type.startsWith('image/')
);
if (hasImageFile || hasImageItem) {
2024-11-21 06:46:51 +00:00
eventDispatch('paste', { event });
event.preventDefault();
return true;
}
2024-10-19 06:54:35 +00:00
}
// For all other cases, let ProseMirror perform its default paste behavior.
view.dispatch(view.state.tr.scrollIntoView());
2024-11-21 06:46:51 +00:00
return false;
2024-10-19 21:56:30 +00:00
}
2024-10-19 05:40:15 +00:00
}
2024-11-21 06:46:51 +00:00
}
2024-10-18 21:55:39 +00:00
});
2024-10-19 07:23:59 +00:00
2024-11-30 23:44:04 +00:00
if (messageInput) {
selectTemplate();
}
2024-11-21 06:46:51 +00:00
});
2024-10-18 21:55:39 +00:00
onDestroy(() => {
2024-11-21 06:46:51 +00:00
if (editor) {
editor.destroy();
}
2024-10-18 21:55:39 +00:00
});
2024-11-21 06:46:51 +00:00
2025-05-04 08:02:10 +00:00
$: if (value !== null && editor) {
2025-05-03 18:53:23 +00:00
onValueChange();
}
const onValueChange = () => {
if (!editor) return;
2025-07-06 13:32:03 +00:00
const jsonValue = editor.getJSON();
const htmlValue = editor.getHTML();
let mdValue = turndownService
.turndown(
(preserveBreaks ? htmlValue.replace(/<p><\/p>/g, '<br/>') : htmlValue).replace(
/ {2,}/g,
(m) => m.replace(/ /g, '\u00a0')
)
)
.replace(/\u00a0/g, ' ');
if (value === '') {
editor.commands.clearContent(); // Clear content if value is empty
selectTemplate();
return;
}
2025-05-03 18:53:23 +00:00
if (json) {
2025-07-06 13:32:03 +00:00
if (JSON.stringify(value) !== JSON.stringify(jsonValue)) {
2025-05-03 18:53:23 +00:00
editor.commands.setContent(value);
selectTemplate();
}
2025-02-14 06:37:01 +00:00
} else {
2025-05-03 19:05:25 +00:00
if (raw) {
2025-07-06 13:32:03 +00:00
if (value !== htmlValue) {
2025-05-03 19:05:25 +00:00
editor.commands.setContent(value);
selectTemplate();
}
} else {
2025-07-06 13:32:03 +00:00
if (value !== mdValue) {
editor.commands.setContent(
preserveBreaks
? value
: marked.parse(value.replaceAll(`\n<br/>`, `<br/>`), {
2025-05-03 19:05:25 +00:00
breaks: false
})
2025-07-06 13:32:03 +00:00
);
2025-05-03 19:05:25 +00:00
selectTemplate();
}
2025-05-03 18:53:23 +00:00
}
2025-02-14 06:37:01 +00:00
}
2025-05-03 18:53:23 +00:00
};
2024-10-18 21:55:39 +00:00
</script>
2025-07-08 23:11:51 +00:00
{#if showFormattingButtons}
<div bind:this={bubbleMenuElement} class="p-0">
<FormattingButtons {editor} />
</div>
<div bind:this={floatingMenuElement} class="p-0">
<FormattingButtons {editor} />
</div>
{/if}
2024-11-21 06:46:51 +00:00
<div bind:this={element} class="relative w-full min-w-full h-full min-h-fit {className}" />