1
0
silverbullet/web/editor.tsx

1172 lines
35 KiB
TypeScript
Raw Normal View History

// Third party web dependencies
2022-04-25 08:33:38 +00:00
import {
autocompletion,
closeBrackets,
closeBracketsKeymap,
CompletionContext,
2022-04-25 08:33:38 +00:00
completionKeymap,
CompletionResult,
2022-04-04 13:25:07 +00:00
drawSelection,
dropCursor,
EditorSelection,
EditorState,
2022-04-04 13:25:07 +00:00
EditorView,
highlightSpecialChars,
history,
historyKeymap,
indentOnInput,
indentWithTab,
javascriptLanguage,
2022-04-04 13:25:07 +00:00
KeyBinding,
keymap,
LanguageDescription,
LanguageSupport,
2022-12-21 15:08:51 +00:00
markdown,
2022-05-17 09:53:17 +00:00
runScopeHandlers,
searchKeymap,
sqlLanguage,
standardKeymap,
StreamLanguage,
syntaxHighlighting,
syntaxTree,
typescriptLanguage,
2022-04-04 13:25:07 +00:00
ViewPlugin,
2022-04-25 08:33:38 +00:00
ViewUpdate,
yamlLanguage,
} from "../common/deps.ts";
import { SilverBulletHooks } from "../common/manifest.ts";
import {
loadMarkdownExtensions,
MDExt,
} from "../common/markdown_parser/markdown_ext.ts";
import buildMarkdown from "../common/markdown_parser/parser.ts";
import { Space } from "../common/spaces/space.ts";
import { markdownSyscalls } from "../common/syscalls/markdown.ts";
import { FilterOption, PageMeta } from "../common/types.ts";
2023-01-14 17:51:00 +00:00
import { isMacLike, safeRun } from "../common/util.ts";
2022-10-21 15:06:14 +00:00
import { createSandbox } from "../plugos/environments/webworker_sandbox.ts";
import { EventHook } from "../plugos/hooks/event.ts";
2022-12-21 15:08:51 +00:00
import assetSyscalls from "../plugos/syscalls/asset.ts";
import { eventSyscalls } from "../plugos/syscalls/event.ts";
import sandboxSyscalls from "../plugos/syscalls/sandbox.ts";
import { System } from "../plugos/system.ts";
2022-12-21 15:08:51 +00:00
import { cleanModePlugins } from "./cm_plugins/clean.ts";
import { CollabState } from "./cm_plugins/collab.ts";
import {
attachmentExtension,
pasteLinkExtension,
} from "./cm_plugins/editor_paste.ts";
import { inlineImagesPlugin } from "./cm_plugins/inline_image.ts";
import { lineWrapper } from "./cm_plugins/line_wrapper.ts";
import { smartQuoteKeymap } from "./cm_plugins/smart_quotes.ts";
import { Confirm, Prompt } from "./components/basic_modals.tsx";
import { CommandPalette } from "./components/command_palette.tsx";
import { FilterList } from "./components/filter.tsx";
import { PageNavigator } from "./components/page_navigator.tsx";
import { Panel } from "./components/panel.tsx";
import { TopBar } from "./components/top_bar.tsx";
import {
BookIcon,
HomeIcon,
preactRender,
TerminalIcon,
useEffect,
useReducer,
vim,
yUndoManagerKeymap,
} from "./deps.ts";
import { AppCommand, CommandHook } from "./hooks/command.ts";
import { SlashCommandHook } from "./hooks/slash_command.ts";
2022-12-21 15:08:51 +00:00
import { PathPageNavigator } from "./navigator.ts";
import reducer from "./reducer.ts";
import customMarkdownStyle from "./style.ts";
import { collabSyscalls } from "./syscalls/collab.ts";
import { editorSyscalls } from "./syscalls/editor.ts";
import { spaceSyscalls } from "./syscalls/space.ts";
import { systemSyscalls } from "./syscalls/system.ts";
2022-12-21 15:08:51 +00:00
import { AppViewState, BuiltinSettings, initialViewState } from "./types.ts";
import type {
AppEvent,
ClickEvent,
CompleteEvent,
} from "../plug-api/app_event.ts";
2022-12-22 15:20:05 +00:00
import { CodeWidgetHook } from "./hooks/code_widget.ts";
2023-01-14 17:51:00 +00:00
import { throttle } from "../common/async_util.ts";
2023-01-16 10:28:59 +00:00
import { readonlyMode } from "./cm_plugins/readonly.ts";
2022-12-19 11:35:58 +00:00
const frontMatterRegex = /^---\n(.*?)---\n/ms;
2022-11-24 15:55:30 +00:00
class PageState {
2022-04-26 17:04:36 +00:00
constructor(
readonly scrollTop: number,
readonly selection: EditorSelection,
2022-04-26 17:04:36 +00:00
) {}
}
2022-04-07 13:21:30 +00:00
const saveInterval = 1000;
export class Editor {
2022-03-29 10:13:46 +00:00
readonly commandHook: CommandHook;
readonly slashCommandHook: SlashCommandHook;
2022-03-23 14:41:12 +00:00
openPages = new Map<string, PageState>();
editorView?: EditorView;
viewState: AppViewState;
2022-12-16 11:44:04 +00:00
// deno-lint-ignore ban-types
viewDispatch: Function;
2022-04-07 13:21:30 +00:00
space: Space;
2022-03-28 13:25:05 +00:00
pageNavigator: PathPageNavigator;
eventHook: EventHook;
2022-12-22 15:20:05 +00:00
codeWidgetHook: CodeWidgetHook;
saveTimeout: any;
2022-04-04 13:25:07 +00:00
debouncedUpdateEvent = throttle(() => {
this.eventHook
.dispatchEvent("editor:updated")
.catch((e) => console.error("Error dispatching editor:updated event", e));
2022-04-04 13:25:07 +00:00
}, 1000);
2023-01-16 09:40:16 +00:00
system: System<SilverBulletHooks>;
mdExtensions: MDExt[] = [];
2022-07-22 11:44:28 +00:00
urlPrefix: string;
2022-08-02 10:43:39 +00:00
indexPage: string;
2022-12-16 11:44:04 +00:00
// Runtime state (that doesn't make sense in viewState)
2022-10-25 16:50:07 +00:00
collabState?: CollabState;
// enableVimMode = false;
2022-08-02 10:43:39 +00:00
constructor(
space: Space,
2022-11-24 11:04:00 +00:00
system: System<SilverBulletHooks>,
eventHook: EventHook,
2022-08-02 10:43:39 +00:00
parent: Element,
urlPrefix: string,
2022-12-15 12:23:49 +00:00
readonly builtinSettings: BuiltinSettings,
2022-08-02 10:43:39 +00:00
) {
this.space = space;
2022-11-24 11:04:00 +00:00
this.system = system;
2022-07-22 11:44:28 +00:00
this.urlPrefix = urlPrefix;
this.viewState = initialViewState;
this.viewDispatch = () => {};
2022-12-15 12:23:49 +00:00
this.indexPage = builtinSettings.indexPage;
2022-03-25 11:03:06 +00:00
this.eventHook = eventHook;
2022-12-22 15:20:05 +00:00
// Code widget hook
this.codeWidgetHook = new CodeWidgetHook();
this.system.addHook(this.codeWidgetHook);
// Command hook
this.commandHook = new CommandHook();
this.commandHook.on({
commandsUpdated: (commandMap) => {
this.viewDispatch({
type: "update-commands",
commands: commandMap,
});
},
});
this.system.addHook(this.commandHook);
// Slash command hook
this.slashCommandHook = new SlashCommandHook(this);
this.system.addHook(this.slashCommandHook);
2022-03-25 11:03:06 +00:00
this.render(parent);
2022-10-25 16:50:07 +00:00
this.editorView = new EditorView({
2023-01-16 10:28:59 +00:00
state: this.createEditorState("", "", false),
2022-07-22 11:44:28 +00:00
parent: document.getElementById("sb-editor")!,
});
2022-12-15 12:23:49 +00:00
this.pageNavigator = new PathPageNavigator(
builtinSettings.indexPage,
urlPrefix,
);
2022-03-21 14:21:34 +00:00
2022-04-11 18:34:09 +00:00
this.system.registerSyscalls(
[],
eventSyscalls(this.eventHook),
2022-05-09 12:59:12 +00:00
editorSyscalls(this),
spaceSyscalls(this),
systemSyscalls(this, this.system),
2022-05-09 12:59:12 +00:00
markdownSyscalls(buildMarkdown(this.mdExtensions)),
sandboxSyscalls(this.system),
assetSyscalls(this.system),
2022-10-25 16:50:07 +00:00
collabSyscalls(this),
2022-04-11 18:34:09 +00:00
);
2022-05-13 12:36:26 +00:00
2022-05-17 09:53:17 +00:00
// Make keyboard shortcuts work even when the editor is in read only mode or not focused
globalThis.addEventListener("keydown", (ev) => {
2022-05-17 09:53:17 +00:00
if (!this.editorView?.hasFocus) {
if ((ev.target as any).closest(".cm-editor")) {
// In some cm element, let's back out
2022-07-19 11:49:54 +00:00
return;
}
2022-05-17 09:53:17 +00:00
if (runScopeHandlers(this.editorView!, ev, "editor")) {
ev.preventDefault();
}
}
});
globalThis.addEventListener("touchstart", (ev) => {
// Launch the command palette using a three-finger tap
if (ev.touches.length > 2) {
ev.stopPropagation();
ev.preventDefault();
this.viewDispatch({ type: "show-palette", context: this.getContext() });
}
});
}
get currentPage(): string | undefined {
return this.viewState.currentPage;
}
async init() {
this.focus();
2022-11-24 11:04:00 +00:00
const globalModules: any = await (
await fetch(`${this.urlPrefix}/global.plug.json`)
).json();
this.system.on({
sandboxInitialized: async (sandbox) => {
for (
const [modName, code] of Object.entries(
globalModules.dependencies,
)
) {
await sandbox.loadDependency(modName, code as string);
}
},
});
this.space.on({
pageChanged: (meta) => {
if (this.currentPage === meta.name) {
console.log("Page changed on disk, reloading");
this.flashNotification("Page changed on disk, reloading");
this.reloadPage();
}
},
pageListUpdated: (pages) => {
this.viewDispatch({
type: "pages-listed",
pages: pages,
});
},
});
await this.reloadPlugs();
2022-08-30 08:44:20 +00:00
this.pageNavigator.subscribe(async (pageName, pos: number | string) => {
2022-09-13 06:41:01 +00:00
console.log("Now navigating to", pageName);
if (!this.editorView) {
return;
}
const stateRestored = await this.loadPage(pageName);
2022-03-28 13:25:05 +00:00
if (pos) {
2022-08-30 08:44:20 +00:00
if (typeof pos === "string") {
2022-10-24 17:40:52 +00:00
console.log("Navigating to anchor", pos);
2022-08-30 08:44:20 +00:00
// We're going to look up the anchor through a direct page store query...
const posLookup = await this.system.localSyscall(
"core",
"index.get",
[
pageName,
2022-10-24 17:40:52 +00:00
`a:${pageName}:${pos}`,
],
);
2022-08-30 08:44:20 +00:00
if (!posLookup) {
return this.flashNotification(
`Could not find anchor @${pos}`,
"error",
2022-08-30 08:44:20 +00:00
);
} else {
pos = +posLookup;
}
}
2022-03-28 13:25:05 +00:00
this.editorView.dispatch({
selection: { anchor: pos },
2022-08-30 08:44:20 +00:00
scrollIntoView: true,
2022-03-28 13:25:05 +00:00
});
2022-09-06 14:33:00 +00:00
} else if (!stateRestored) {
2022-11-24 15:55:30 +00:00
// Somewhat ad-hoc way to determine if the document contains frontmatter and if so, putting the cursor _after it_.
const pageText = this.editorView.state.sliceDoc();
// Default the cursor to be at position 0
let initialCursorPos = 0;
const match = frontMatterRegex.exec(pageText);
if (match) {
2022-11-29 08:17:40 +00:00
// Frontmatter found, put cursor after it
2022-12-19 11:35:58 +00:00
initialCursorPos = match[0].length;
2022-11-24 15:55:30 +00:00
}
// By default scroll to the top
this.editorView.scrollDOM.scrollTop = 0;
2022-09-06 14:33:00 +00:00
this.editorView.dispatch({
2022-11-24 15:55:30 +00:00
selection: { anchor: initialCursorPos },
// And then scroll down if required
2022-09-06 14:33:00 +00:00
scrollIntoView: true,
});
2022-03-28 13:25:05 +00:00
}
});
2022-07-11 07:08:22 +00:00
await this.dispatchAppEvent("editor:init");
}
save(immediate = false): Promise<void> {
return new Promise((resolve, reject) => {
if (this.saveTimeout) {
clearTimeout(this.saveTimeout);
}
this.saveTimeout = setTimeout(
() => {
if (this.currentPage) {
if (
!this.viewState.unsavedChanges ||
this.viewState.uiOptions.forcedROMode
) {
2022-10-22 18:23:54 +00:00
// No unsaved changes, or read-only mode, not gonna save
2022-10-21 17:02:00 +00:00
return resolve();
}
console.log("Saving page", this.currentPage);
this.space
.writePage(
this.currentPage,
this.editorView!.state.sliceDoc(0),
true,
)
.then(() => {
this.viewDispatch({ type: "page-saved" });
resolve();
})
2022-07-19 15:21:11 +00:00
.catch((e) => {
this.flashNotification(
"Could not save page, retrying again in 10 seconds",
"error",
2022-07-19 15:21:11 +00:00
);
this.saveTimeout = setTimeout(this.save.bind(this), 10000);
reject(e);
});
} else {
resolve();
}
},
immediate ? 0 : saveInterval,
);
});
}
flashNotification(message: string, type: "info" | "error" = "info") {
const id = Math.floor(Math.random() * 1000000);
this.viewDispatch({
type: "show-notification",
notification: {
id,
type,
message,
date: new Date(),
},
});
setTimeout(
() => {
this.viewDispatch({
type: "dismiss-notification",
id: id,
});
},
type === "info" ? 2000 : 5000,
);
}
filterBox(
label: string,
options: FilterOption[],
helpText = "",
placeHolder = "",
): Promise<FilterOption | undefined> {
return new Promise((resolve) => {
this.viewDispatch({
type: "show-filterbox",
label,
options,
placeHolder,
helpText,
onSelect: (option: any) => {
this.viewDispatch({ type: "hide-filterbox" });
this.focus();
resolve(option);
},
});
});
}
2022-12-21 15:08:51 +00:00
prompt(
message: string,
defaultValue = "",
): Promise<string | undefined> {
return new Promise((resolve) => {
this.viewDispatch({
type: "show-prompt",
message,
defaultValue,
callback: (value: string | undefined) => {
this.viewDispatch({ type: "hide-prompt" });
this.focus();
resolve(value);
},
});
});
}
confirm(
message: string,
): Promise<boolean> {
return new Promise((resolve) => {
this.viewDispatch({
type: "show-confirm",
message,
callback: (value: boolean) => {
this.viewDispatch({ type: "hide-confirm" });
this.focus();
resolve(value);
},
});
});
}
dispatchAppEvent(name: AppEvent, data?: any): Promise<any[]> {
return this.eventHook.dispatchEvent(name, data);
}
2023-01-16 10:28:59 +00:00
createEditorState(
pageName: string,
text: string,
readOnly: boolean,
): EditorState {
const commandKeyBindings: KeyBinding[] = [];
for (const def of this.commandHook.editorCommands.values()) {
if (def.command.key) {
commandKeyBindings.push({
key: def.command.key,
mac: def.command.mac,
run: (): boolean => {
if (def.command.contexts) {
const context = this.getContext();
if (!context || !def.command.contexts.includes(context)) {
return false;
}
}
Promise.resolve()
2022-03-28 13:25:05 +00:00
.then(def.run)
.catch((e: any) => {
console.error(e);
this.flashNotification(
`Error running command: ${e.message}`,
"error",
);
})
.then(() => {
// Always be focusing the editor after running a command
editor.focus();
2022-03-28 13:25:05 +00:00
});
return true;
},
});
}
}
// deno-lint-ignore no-this-alias
const editor = this;
let touchCount = 0;
return EditorState.create({
2022-10-25 16:50:07 +00:00
doc: this.collabState ? this.collabState.ytext.toString() : text,
extensions: [
// Not using CM theming right now, but some extensions depend on the "dark" thing
EditorView.theme({}, { dark: this.viewState.uiOptions.darkMode }),
2022-12-15 14:55:50 +00:00
// Enable vim mode, or not
[...editor.viewState.uiOptions.vimMode ? [vim({ status: true })] : []],
2023-01-16 10:28:59 +00:00
[
...readOnly || editor.viewState.uiOptions.forcedROMode
? [readonlyMode()]
: [],
],
2022-12-15 14:55:50 +00:00
// The uber markdown mode
2022-06-14 07:45:22 +00:00
markdown({
base: buildMarkdown(this.mdExtensions),
codeLanguages: [
LanguageDescription.of({
name: "yaml",
2023-01-21 12:44:11 +00:00
alias: ["meta", "data", "embed"],
support: new LanguageSupport(StreamLanguage.define(yamlLanguage)),
}),
LanguageDescription.of({
name: "javascript",
alias: ["js"],
support: new LanguageSupport(javascriptLanguage),
}),
LanguageDescription.of({
name: "typescript",
alias: ["ts"],
support: new LanguageSupport(typescriptLanguage),
}),
2023-01-06 17:17:39 +00:00
LanguageDescription.of({
name: "sql",
alias: ["sql"],
support: new LanguageSupport(StreamLanguage.define(sqlLanguage)),
}),
],
addKeymap: true,
2022-06-14 07:45:22 +00:00
}),
2022-06-13 16:31:36 +00:00
syntaxHighlighting(customMarkdownStyle(this.mdExtensions)),
autocompletion({
override: [
this.editorComplete.bind(this),
this.slashCommandHook.slashCommandCompleter.bind(
this.slashCommandHook,
),
],
}),
inlineImagesPlugin(this.space),
2022-09-13 06:41:01 +00:00
highlightSpecialChars(),
history(),
drawSelection(),
dropCursor(),
indentOnInput(),
...cleanModePlugins(this),
EditorView.lineWrapping,
lineWrapper([
2022-08-02 12:40:04 +00:00
{ selector: "ATXHeading1", class: "sb-line-h1" },
{ selector: "ATXHeading2", class: "sb-line-h2" },
{ selector: "ATXHeading3", class: "sb-line-h3" },
{ selector: "ATXHeading4", class: "sb-line-h4" },
2022-08-02 12:40:04 +00:00
{ selector: "ListItem", class: "sb-line-li", nesting: true },
{ selector: "Blockquote", class: "sb-line-blockquote" },
{ selector: "Task", class: "sb-line-task" },
{ selector: "CodeBlock", class: "sb-line-code" },
{ selector: "FencedCode", class: "sb-line-fenced-code" },
{ selector: "Comment", class: "sb-line-comment" },
{ selector: "BulletList", class: "sb-line-ul" },
{ selector: "OrderedList", class: "sb-line-ol" },
{ selector: "TableHeader", class: "sb-line-tbl-header" },
{ selector: "FrontMatter", class: "sb-frontmatter" },
]),
keymap.of([
{
key: "ArrowUp",
run: (view): boolean => {
// When going up while at the top of the document, focus the page name
const selection = view.state.selection.main;
const line = view.state.doc.lineAt(selection.from);
// Are we at the top of the document?
if (line.number === 1) {
// This can be done much nicer, but this is shorter, so... :)
document.querySelector<HTMLDivElement>(
"#sb-current-page .cm-content",
)!.focus();
return true;
}
return false;
},
},
...smartQuoteKeymap,
...closeBracketsKeymap,
...standardKeymap,
...searchKeymap,
...historyKeymap,
...completionKeymap,
2022-10-25 16:50:07 +00:00
...(this.collabState ? yUndoManagerKeymap : []),
indentWithTab,
...commandKeyBindings,
{
key: "Ctrl-k",
mac: "Cmd-k",
run: (): boolean => {
this.viewDispatch({ type: "start-navigate" });
2022-04-26 17:04:36 +00:00
this.space.updatePageList();
return true;
},
},
{
key: "Ctrl-/",
mac: "Cmd-/",
run: (): boolean => {
this.viewDispatch({
type: "show-palette",
context: this.getContext(),
});
return true;
},
},
]),
EditorView.domEventHandlers({
// This may result in duplicated touch events on mobile devices
touchmove: (event: TouchEvent, view: EditorView) => {
touchCount++;
},
touchend: (event: TouchEvent, view: EditorView) => {
if (touchCount === 0) {
safeRun(async () => {
const touch = event.changedTouches.item(0)!;
const clickEvent: ClickEvent = {
page: pageName,
ctrlKey: event.ctrlKey,
metaKey: event.metaKey,
altKey: event.altKey,
pos: view.posAtCoords({
x: touch.clientX,
y: touch.clientY,
})!,
};
await this.dispatchAppEvent("page:click", clickEvent);
});
}
touchCount = 0;
},
2023-01-13 15:33:36 +00:00
mousedown: (event: MouseEvent, view: EditorView) => {
// Make sure <a> tags are clicked without moving the cursor there
if (!event.altKey && event.target instanceof Element) {
const parentA = event.target.closest("a");
if (parentA) {
event.stopPropagation();
event.preventDefault();
const clickEvent: ClickEvent = {
page: pageName,
ctrlKey: event.ctrlKey,
metaKey: event.metaKey,
altKey: event.altKey,
pos: view.posAtCoords({
x: event.x,
y: event.y,
})!,
};
this.dispatchAppEvent("page:click", clickEvent).catch(
console.error,
);
}
}
},
click: (event: MouseEvent, view: EditorView) => {
safeRun(async () => {
const clickEvent: ClickEvent = {
2022-03-28 13:25:05 +00:00
page: pageName,
ctrlKey: event.ctrlKey,
metaKey: event.metaKey,
altKey: event.altKey,
pos: view.posAtCoords(event)!,
};
await this.dispatchAppEvent("page:click", clickEvent);
});
},
}),
ViewPlugin.fromClass(
class {
update(update: ViewUpdate): void {
if (update.docChanged) {
editor.viewDispatch({ type: "page-changed" });
2022-04-04 13:25:07 +00:00
editor.debouncedUpdateEvent();
editor.save().catch((e) => console.error("Error saving", e));
}
}
},
),
2022-03-30 13:16:22 +00:00
pasteLinkExtension,
attachmentExtension(this),
2022-06-14 07:45:22 +00:00
closeBrackets(),
2022-10-25 16:50:07 +00:00
...[this.collabState ? this.collabState.collabExtension() : []],
],
});
}
2022-04-26 17:04:36 +00:00
async reloadPlugs() {
console.log("Loading plugs");
2022-04-26 17:04:36 +00:00
await this.space.updatePageList();
await this.system.unloadAll();
console.log("(Re)loading plugs");
2022-10-21 14:48:48 +00:00
await Promise.all((await this.space.listPlugs()).map(async (plugName) => {
2023-01-13 14:41:29 +00:00
const { data } = await this.space.readAttachment(plugName, "utf8");
2022-10-21 15:06:14 +00:00
await this.system.load(JSON.parse(data as string), createSandbox);
2022-10-21 14:48:48 +00:00
}));
2022-04-26 17:04:36 +00:00
this.rebuildEditorState();
2022-07-11 07:08:22 +00:00
await this.dispatchAppEvent("plugs:loaded");
2022-04-26 17:04:36 +00:00
}
2022-03-31 15:25:34 +00:00
rebuildEditorState() {
const editorView = this.editorView;
2022-06-14 14:55:50 +00:00
console.log("Rebuilding editor state");
2022-04-11 18:34:09 +00:00
// Load all syntax extensions
this.mdExtensions = loadMarkdownExtensions(this.system);
// And reload the syscalls to use the new syntax extensions
this.system.registerSyscalls(
[],
markdownSyscalls(buildMarkdown(this.mdExtensions)),
);
2022-04-11 18:34:09 +00:00
if (editorView && this.currentPage) {
// And update the editor if a page is loaded
2022-09-06 14:33:00 +00:00
this.saveState(this.currentPage);
2022-04-26 17:04:36 +00:00
2022-03-31 15:25:34 +00:00
editorView.setState(
2023-01-16 10:28:59 +00:00
this.createEditorState(
this.currentPage,
editorView.state.sliceDoc(),
this.viewState.currentPageMeta?.perm === "ro",
),
2022-03-31 15:25:34 +00:00
);
if (editorView.contentDOM) {
2022-05-17 09:53:17 +00:00
this.tweakEditorDOM(
editorView.contentDOM,
);
}
2022-04-26 17:04:36 +00:00
this.restoreState(this.currentPage);
2022-03-31 15:25:34 +00:00
}
}
// Code completion support
private async completeWithEvent(
context: CompletionContext,
eventName: AppEvent,
): Promise<CompletionResult | null> {
const editorState = context.state;
const selection = editorState.selection.main;
const line = editorState.doc.lineAt(selection.from);
const linePrefix = line.text.slice(0, selection.from - line.from);
const results = await this.dispatchAppEvent(eventName, {
linePrefix,
pos: selection.from,
} as CompleteEvent);
let actualResult = null;
for (const result of results) {
if (result) {
if (actualResult) {
console.error(
"Got completion results from multiple sources, cannot deal with that",
);
return null;
}
actualResult = result;
}
}
return actualResult;
}
editorComplete(
context: CompletionContext,
): Promise<CompletionResult | null> {
return this.completeWithEvent(context, "editor:complete");
}
miniEditorComplete(
context: CompletionContext,
): Promise<CompletionResult | null> {
return this.completeWithEvent(context, "minieditor:complete");
}
2022-10-10 16:19:08 +00:00
async reloadPage() {
console.log("Reloading page");
2022-10-10 16:19:08 +00:00
clearTimeout(this.saveTimeout);
await this.loadPage(this.currentPage!);
}
focus() {
this.editorView!.focus();
}
async navigate(
name: string,
pos?: number | string,
replaceState = false,
newWindow = false,
) {
2022-08-02 10:43:39 +00:00
if (!name) {
name = this.indexPage;
}
if (newWindow) {
const win = window.open(`${location.origin}/${name}`, "_blank");
if (win) {
win.focus();
}
return;
}
await this.pageNavigator.navigate(name, pos, replaceState);
}
2022-09-06 14:33:00 +00:00
async loadPage(pageName: string): Promise<boolean> {
const loadingDifferentPage = pageName !== this.currentPage;
const editorView = this.editorView;
if (!editorView) {
2022-09-06 14:33:00 +00:00
return false;
}
2022-09-06 14:33:00 +00:00
const previousPage = this.currentPage;
// Persist current page state and nicely close page
2022-09-06 14:33:00 +00:00
if (previousPage) {
this.saveState(previousPage);
this.space.unwatchPage(previousPage);
2022-10-10 16:19:08 +00:00
if (previousPage !== pageName) {
await this.save(true);
2022-10-25 16:50:07 +00:00
// And stop the collab session
if (this.collabState) {
this.collabState.stop();
this.collabState = undefined;
}
2022-10-10 16:19:08 +00:00
}
}
2022-09-12 12:50:37 +00:00
this.viewDispatch({
type: "page-loading",
name: pageName,
});
// Fetch next page to open
let doc;
try {
doc = await this.space.readPage(pageName);
} catch (e: any) {
// Not found, new page
console.log("Creating new page", pageName);
doc = {
text: "",
2022-05-17 09:53:17 +00:00
meta: { name: pageName, lastModified: 0, perm: "rw" } as PageMeta,
};
}
2023-01-16 10:28:59 +00:00
const editorState = this.createEditorState(
pageName,
doc.text,
doc.meta.perm === "ro",
);
editorView.setState(editorState);
if (editorView.contentDOM) {
2023-01-16 10:28:59 +00:00
this.tweakEditorDOM(editorView.contentDOM);
}
const stateRestored = this.restoreState(pageName);
this.space.watchPage(pageName);
this.viewDispatch({
type: "page-loaded",
2022-05-17 09:53:17 +00:00
meta: doc.meta,
});
2022-04-04 13:25:07 +00:00
2022-11-24 15:55:30 +00:00
// Note: these events are dispatched asynchronously deliberately (not waiting for results)
if (loadingDifferentPage) {
2022-11-24 15:55:30 +00:00
this.eventHook.dispatchEvent("editor:pageLoaded", pageName).catch(
console.error,
);
2022-07-18 14:48:36 +00:00
} else {
2022-11-24 15:55:30 +00:00
this.eventHook.dispatchEvent("editor:pageReloaded", pageName).catch(
console.error,
);
}
2022-09-06 14:33:00 +00:00
return stateRestored;
}
2023-01-16 10:28:59 +00:00
tweakEditorDOM(contentDOM: HTMLElement) {
2022-05-09 08:45:36 +00:00
contentDOM.spellcheck = true;
contentDOM.setAttribute("autocorrect", "on");
contentDOM.setAttribute("autocapitalize", "on");
}
2022-09-06 14:33:00 +00:00
private restoreState(pageName: string): boolean {
const pageState = this.openPages.get(pageName);
2022-04-26 17:04:36 +00:00
const editorView = this.editorView!;
if (pageState) {
// Restore state
editorView.scrollDOM.scrollTop = pageState!.scrollTop;
2022-04-26 17:04:36 +00:00
editorView.dispatch({
selection: pageState.selection,
2022-07-06 10:18:33 +00:00
scrollIntoView: true,
2022-04-26 17:04:36 +00:00
});
} else {
editorView.scrollDOM.scrollTop = 0;
editorView.dispatch({
selection: { anchor: 0 },
scrollIntoView: true,
});
2022-04-26 17:04:36 +00:00
}
editorView.focus();
2022-09-06 14:33:00 +00:00
return !!pageState;
2022-04-26 17:04:36 +00:00
}
2022-09-06 14:33:00 +00:00
private saveState(currentPage: string) {
2022-04-26 17:04:36 +00:00
this.openPages.set(
2022-09-06 14:33:00 +00:00
currentPage,
2022-04-26 17:04:36 +00:00
new PageState(
this.editorView!.scrollDOM.scrollTop,
this.editorView!.state.selection,
),
2022-04-26 17:04:36 +00:00
);
}
ViewComponent() {
const [viewState, dispatch] = useReducer(reducer, initialViewState);
this.viewState = viewState;
this.viewDispatch = dispatch;
// deno-lint-ignore no-this-alias
const editor = this;
useEffect(() => {
if (viewState.currentPage) {
document.title = viewState.currentPage;
}
}, [viewState.currentPage]);
2022-09-16 12:26:47 +00:00
useEffect(() => {
if (editor.editorView) {
editor.tweakEditorDOM(
editor.editorView.contentDOM,
);
}
}, [viewState.uiOptions.forcedROMode]);
useEffect(() => {
this.rebuildEditorState();
}, [viewState.uiOptions.vimMode]);
useEffect(() => {
document.documentElement.dataset.theme = viewState.uiOptions.darkMode
? "dark"
: "light";
}, [viewState.uiOptions.darkMode]);
useEffect(() => {
// Need to dispatch a resize event so that the top_bar can pick it up
globalThis.dispatchEvent(new Event("resize"));
}, [viewState.panels]);
2022-09-16 12:26:47 +00:00
return (
2022-04-04 16:33:13 +00:00
<>
{viewState.showPageNavigator && (
<PageNavigator
allPages={viewState.allPages}
currentPage={this.currentPage}
completer={this.miniEditorComplete.bind(this)}
vimMode={viewState.uiOptions.vimMode}
darkMode={viewState.uiOptions.darkMode}
onNavigate={(page) => {
dispatch({ type: "stop-navigate" });
editor.focus();
if (page) {
safeRun(async () => {
await editor.navigate(page);
});
}
}}
/>
)}
{viewState.showCommandPalette && (
<CommandPalette
onTrigger={(cmd) => {
dispatch({ type: "hide-palette" });
editor.focus();
if (cmd) {
2022-05-16 13:09:36 +00:00
dispatch({ type: "command-run", command: cmd.command.name });
cmd
.run()
.catch((e: any) => {
console.error("Error running command", e.message);
})
.then(() => {
// Always be focusing the editor after running a command
editor.focus();
});
}
}}
commands={this.getCommandsByContext(viewState)}
vimMode={viewState.uiOptions.vimMode}
darkMode={viewState.uiOptions.darkMode}
completer={this.miniEditorComplete.bind(this)}
2022-05-16 13:09:36 +00:00
recentCommands={viewState.recentCommands}
/>
)}
{viewState.showFilterBox && (
<FilterList
label={viewState.filterBoxLabel}
placeholder={viewState.filterBoxPlaceHolder}
options={viewState.filterBoxOptions}
vimMode={viewState.uiOptions.vimMode}
darkMode={viewState.uiOptions.darkMode}
allowNew={false}
completer={this.miniEditorComplete.bind(this)}
helpText={viewState.filterBoxHelpText}
onSelect={viewState.filterBoxOnSelect}
/>
2022-12-21 15:08:51 +00:00
)}
{viewState.showPrompt && (
<Prompt
message={viewState.promptMessage!}
defaultValue={viewState.promptDefaultValue}
vimMode={viewState.uiOptions.vimMode}
darkMode={viewState.uiOptions.darkMode}
completer={this.miniEditorComplete.bind(this)}
callback={(value) => {
dispatch({ type: "hide-prompt" });
viewState.promptCallback!(value);
}}
/>
)}
{viewState.showConfirm && (
<Confirm
message={viewState.confirmMessage!}
callback={(value) => {
dispatch({ type: "hide-confirm" });
viewState.confirmCallback!(value);
}}
/>
)}
<TopBar
pageName={viewState.currentPage}
notifications={viewState.notifications}
unsavedChanges={viewState.unsavedChanges}
isLoading={viewState.isLoading}
vimMode={viewState.uiOptions.vimMode}
darkMode={viewState.uiOptions.darkMode}
completer={editor.miniEditorComplete.bind(editor)}
onRename={async (newName) => {
if (!newName) {
// Always move cursor to the start of the page
editor.editorView?.dispatch({
selection: { anchor: 0 },
});
editor.focus();
return;
}
console.log("Now renaming page to...", newName);
await editor.system.loadedPlugs.get("core")!.invoke(
"renamePage",
2022-12-13 08:49:31 +00:00
[{ page: newName }],
);
editor.focus();
}}
actionButtons={[
{
icon: HomeIcon,
description: `Go home (Alt-h)`,
callback: () => {
editor.navigate("");
},
},
{
icon: BookIcon,
description: `Open page (${isMacLike() ? "Cmd-k" : "Ctrl-k"})`,
callback: () => {
dispatch({ type: "start-navigate" });
this.space.updatePageList();
},
},
{
icon: TerminalIcon,
description: `Run command (${isMacLike() ? "Cmd-/" : "Ctrl-/"})`,
callback: () => {
dispatch({ type: "show-palette", context: this.getContext() });
},
},
]}
rhs={!!viewState.panels.rhs.mode && (
<div
className="panel"
style={{ flex: viewState.panels.rhs.mode }}
/>
)}
lhs={!!viewState.panels.lhs.mode && (
<div
className="panel"
style={{ flex: viewState.panels.lhs.mode }}
/>
)}
/>
2022-07-22 11:44:28 +00:00
<div id="sb-main">
{!!viewState.panels.lhs.mode && (
<Panel config={viewState.panels.lhs} editor={editor} />
2022-04-04 16:33:13 +00:00
)}
2022-07-22 11:44:28 +00:00
<div id="sb-editor" />
{!!viewState.panels.rhs.mode && (
<Panel config={viewState.panels.rhs} editor={editor} />
2022-04-04 16:33:13 +00:00
)}
</div>
{!!viewState.panels.modal.mode && (
<div
className="sb-modal"
style={{ inset: `${viewState.panels.modal.mode}px` }}
>
<Panel config={viewState.panels.modal} editor={editor} />
</div>
)}
{!!viewState.panels.bhs.mode && (
2022-08-02 12:40:04 +00:00
<div className="sb-bhs">
<Panel config={viewState.panels.bhs} editor={editor} />
2022-04-26 17:04:36 +00:00
</div>
)}
2022-04-04 16:33:13 +00:00
</>
);
}
async runCommandByName(name: string, ...args: any[]) {
2022-07-11 07:08:22 +00:00
const cmd = this.viewState.commands.get(name);
if (cmd) {
await cmd.run();
} else {
throw new Error(`Command ${name} not found`);
}
}
render(container: Element) {
const ViewComponent = this.ViewComponent.bind(this);
// console.log(<ViewComponent />);
preactRender(<ViewComponent />, container);
}
private getCommandsByContext(
state: AppViewState,
): Map<string, AppCommand> {
const commands = new Map(state.commands);
for (const [k, v] of state.commands.entries()) {
if (
v.command.contexts &&
(!state.showCommandPaletteContext ||
!v.command.contexts.includes(state.showCommandPaletteContext))
) {
commands.delete(k);
}
}
return commands;
}
private getContext(): string | undefined {
const state = this.editorView!.state;
const selection = state.selection.main;
if (selection.empty) {
return syntaxTree(state).resolveInner(selection.from).type.name;
}
return;
}
2022-10-25 16:50:07 +00:00
startCollab(serverUrl: string, token: string, username: string) {
if (this.collabState) {
// Clean up old collab state
this.collabState.stop();
}
const initialText = this.editorView!.state.sliceDoc();
this.collabState = new CollabState(serverUrl, token, username);
this.collabState.collabProvider.once("sync", (synced: boolean) => {
if (this.collabState?.ytext.toString() === "") {
console.log("Synced value is empty, putting back original text");
this.collabState?.ytext.insert(0, initialText);
}
});
this.rebuildEditorState();
}
}