Skip to content

Commit 621e1ff

Browse files
authored
Improve markdown textarea for indentation and lists (#31406)
Almost works like GitHub * use Tab/Shift-Tab to indent/unindent the selected lines * use Enter to insert a new line with the same indentation and prefix
1 parent 0678287 commit 621e1ff

File tree

3 files changed

+121
-18
lines changed

3 files changed

+121
-18
lines changed

web_src/js/features/comp/ComboMarkdownEditor.js

+2-11
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,7 @@ import {easyMDEToolbarActions} from './EasyMDEToolbarActions.js';
1010
import {initTextExpander} from './TextExpander.js';
1111
import {showErrorToast} from '../../modules/toast.js';
1212
import {POST} from '../../modules/fetch.js';
13+
import {initTextareaMarkdown} from './EditorMarkdown.js';
1314

1415
let elementIdCounter = 0;
1516

@@ -84,17 +85,6 @@ class ComboMarkdownEditor {
8485
if (el.nodeName === 'BUTTON' && !el.getAttribute('type')) el.setAttribute('type', 'button');
8586
}
8687

87-
this.textarea.addEventListener('keydown', (e) => {
88-
if (e.shiftKey) {
89-
e.target._shiftDown = true;
90-
}
91-
});
92-
this.textarea.addEventListener('keyup', (e) => {
93-
if (!e.shiftKey) {
94-
e.target._shiftDown = false;
95-
}
96-
});
97-
9888
const monospaceButton = this.container.querySelector('.markdown-switch-monospace');
9989
const monospaceEnabled = localStorage?.getItem('markdown-editor-monospace') === 'true';
10090
const monospaceText = monospaceButton.getAttribute(monospaceEnabled ? 'data-disable-text' : 'data-enable-text');
@@ -118,6 +108,7 @@ class ComboMarkdownEditor {
118108
await this.switchToEasyMDE();
119109
});
120110

111+
initTextareaMarkdown(this.textarea);
121112
if (this.dropzone) {
122113
initTextareaPaste(this.textarea, this.dropzone);
123114
}
+103
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,103 @@
1+
import {triggerEditorContentChanged} from './Paste.js';
2+
3+
function handleIndentSelection(textarea, e) {
4+
const selStart = textarea.selectionStart;
5+
const selEnd = textarea.selectionEnd;
6+
if (selEnd === selStart) return; // do not process when no selection
7+
8+
e.preventDefault();
9+
const lines = textarea.value.split('\n');
10+
const selectedLines = [];
11+
12+
let pos = 0;
13+
for (let i = 0; i < lines.length; i++) {
14+
if (pos > selEnd) break;
15+
if (pos >= selStart) selectedLines.push(i);
16+
pos += lines[i].length + 1;
17+
}
18+
19+
for (const i of selectedLines) {
20+
if (e.shiftKey) {
21+
lines[i] = lines[i].replace(/^(\t| {1,2})/, '');
22+
} else {
23+
lines[i] = ` ${lines[i]}`;
24+
}
25+
}
26+
27+
// re-calculating the selection range
28+
let newSelStart, newSelEnd;
29+
pos = 0;
30+
for (let i = 0; i < lines.length; i++) {
31+
if (i === selectedLines[0]) {
32+
newSelStart = pos;
33+
}
34+
if (i === selectedLines[selectedLines.length - 1]) {
35+
newSelEnd = pos + lines[i].length;
36+
break;
37+
}
38+
pos += lines[i].length + 1;
39+
}
40+
textarea.value = lines.join('\n');
41+
textarea.setSelectionRange(newSelStart, newSelEnd);
42+
triggerEditorContentChanged(textarea);
43+
}
44+
45+
function handleNewline(textarea, e) {
46+
const selStart = textarea.selectionStart;
47+
const selEnd = textarea.selectionEnd;
48+
if (selEnd !== selStart) return; // do not process when there is a selection
49+
50+
const value = textarea.value;
51+
52+
// find the current line
53+
// * if selStart is 0, lastIndexOf(..., -1) is the same as lastIndexOf(..., 0)
54+
// * if lastIndexOf reruns -1, lineStart is 0 and it is still correct.
55+
const lineStart = value.lastIndexOf('\n', selStart - 1) + 1;
56+
let lineEnd = value.indexOf('\n', selStart);
57+
lineEnd = lineEnd < 0 ? value.length : lineEnd;
58+
let line = value.slice(lineStart, lineEnd);
59+
if (!line) return; // if the line is empty, do nothing, let the browser handle it
60+
61+
// parse the indention
62+
const indention = /^\s*/.exec(line)[0];
63+
line = line.slice(indention.length);
64+
65+
// parse the prefixes: "1. ", "- ", "* ", "[ ] ", "[x] "
66+
// there must be a space after the prefix because none of "1.foo" / "-foo" is a list item
67+
const prefixMatch = /^([0-9]+\.|[-*]|\[ \]|\[x\])\s/.exec(line);
68+
let prefix = '';
69+
if (prefixMatch) {
70+
prefix = prefixMatch[0];
71+
if (lineStart + prefix.length > selStart) prefix = ''; // do not add new line if cursor is at prefix
72+
}
73+
74+
line = line.slice(prefix.length);
75+
if (!indention && !prefix) return; // if no indention and no prefix, do nothing, let the browser handle it
76+
77+
e.preventDefault();
78+
if (!line) {
79+
// clear current line if we only have i.e. '1. ' and the user presses enter again to finish creating a list
80+
textarea.value = value.slice(0, lineStart) + value.slice(lineEnd);
81+
} else {
82+
// start a new line with the same indention and prefix
83+
let newPrefix = prefix;
84+
if (newPrefix === '[x]') newPrefix = '[ ]';
85+
if (/^\d+\./.test(newPrefix)) newPrefix = `1. `; // a simple approach, otherwise it needs to parse the lines after the current line
86+
const newLine = `\n${indention}${newPrefix}`;
87+
textarea.value = value.slice(0, selStart) + newLine + value.slice(selEnd);
88+
textarea.setSelectionRange(selStart + newLine.length, selStart + newLine.length);
89+
}
90+
triggerEditorContentChanged(textarea);
91+
}
92+
93+
export function initTextareaMarkdown(textarea) {
94+
textarea.addEventListener('keydown', (e) => {
95+
if (e.key === 'Tab' && !e.ctrlKey && !e.metaKey && !e.altKey) {
96+
// use Tab/Shift-Tab to indent/unindent the selected lines
97+
handleIndentSelection(textarea, e);
98+
} else if (e.key === 'Enter' && !e.shiftKey && !e.ctrlKey && !e.metaKey && !e.altKey) {
99+
// use Enter to insert a new line with the same indention and prefix
100+
handleNewline(textarea, e);
101+
}
102+
});
103+
}

web_src/js/features/comp/Paste.js

+16-7
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@ async function uploadFile(file, uploadUrl) {
1212
return await res.json();
1313
}
1414

15-
function triggerEditorContentChanged(target) {
15+
export function triggerEditorContentChanged(target) {
1616
target.dispatchEvent(new CustomEvent('ce-editor-content-changed', {bubbles: true}));
1717
}
1818

@@ -124,17 +124,19 @@ async function handleClipboardImages(editor, dropzone, images, e) {
124124
}
125125
}
126126

127-
function handleClipboardText(textarea, text, e) {
128-
// when pasting links over selected text, turn it into [text](link), except when shift key is held
129-
const {value, selectionStart, selectionEnd, _shiftDown} = textarea;
130-
if (_shiftDown) return;
127+
function handleClipboardText(textarea, e, {text, isShiftDown}) {
128+
// pasting with "shift" means "paste as original content" in most applications
129+
if (isShiftDown) return; // let the browser handle it
130+
131+
// when pasting links over selected text, turn it into [text](link)
132+
const {value, selectionStart, selectionEnd} = textarea;
131133
const selectedText = value.substring(selectionStart, selectionEnd);
132134
const trimmedText = text.trim();
133135
if (selectedText && isUrl(trimmedText)) {
134-
e.stopPropagation();
135136
e.preventDefault();
136137
replaceTextareaSelection(textarea, `[${selectedText}](${trimmedText})`);
137138
}
139+
// else, let the browser handle it
138140
}
139141

140142
export function initEasyMDEPaste(easyMDE, dropzone) {
@@ -147,12 +149,19 @@ export function initEasyMDEPaste(easyMDE, dropzone) {
147149
}
148150

149151
export function initTextareaPaste(textarea, dropzone) {
152+
let isShiftDown = false;
153+
textarea.addEventListener('keydown', (e) => {
154+
if (e.shiftKey) isShiftDown = true;
155+
});
156+
textarea.addEventListener('keyup', (e) => {
157+
if (!e.shiftKey) isShiftDown = false;
158+
});
150159
textarea.addEventListener('paste', (e) => {
151160
const {images, text} = getPastedContent(e);
152161
if (images.length) {
153162
handleClipboardImages(new TextareaEditor(textarea), dropzone, images, e);
154163
} else if (text) {
155-
handleClipboardText(textarea, text, e);
164+
handleClipboardText(textarea, e, {text, isShiftDown});
156165
}
157166
});
158167
}

0 commit comments

Comments
 (0)