mirror of
https://github.com/docmost/docmost
synced 2025-03-28 21:13:28 +00:00
feat: editor emoji picker (#775)
* feat: emoji picker * fix: lazy load emoji data * loading animation (for slow connection) * parsing :shortcode: and replace with emoji + add extension to title-editor * fix * Remove title editor support * Remove shortcuts support * Cleanup --------- Co-authored-by: Philipinho <16838612+Philipinho@users.noreply.github.com>
This commit is contained in:
parent
4f9e588494
commit
e62bc6c250
@ -0,0 +1,38 @@
|
|||||||
|
import { CommandProps, EmojiMenuItemType } from "./types";
|
||||||
|
import { SearchIndex } from "emoji-mart";
|
||||||
|
import { getFrequentlyUsedEmoji, sortFrequentlyUsedEmoji } from "./utils";
|
||||||
|
|
||||||
|
const searchEmoji = async (value: string): Promise<EmojiMenuItemType[]> => {
|
||||||
|
if (value === "") {
|
||||||
|
const frequentlyUsedEmoji = getFrequentlyUsedEmoji();
|
||||||
|
return sortFrequentlyUsedEmoji(frequentlyUsedEmoji);
|
||||||
|
}
|
||||||
|
|
||||||
|
const emojis = await SearchIndex.search(value);
|
||||||
|
const results = emojis.map((emoji: any) => {
|
||||||
|
return {
|
||||||
|
id: emoji.id,
|
||||||
|
emoji: emoji.skins[0].native,
|
||||||
|
command: ({ editor, range }: CommandProps) => {
|
||||||
|
editor
|
||||||
|
.chain()
|
||||||
|
.focus()
|
||||||
|
.deleteRange(range)
|
||||||
|
.insertContent(emoji.skins[0].native + " ")
|
||||||
|
.run();
|
||||||
|
},
|
||||||
|
};
|
||||||
|
});
|
||||||
|
|
||||||
|
return results;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getEmojiItems = async ({
|
||||||
|
query,
|
||||||
|
}: {
|
||||||
|
query: string;
|
||||||
|
}): Promise<EmojiMenuItemType[]> => {
|
||||||
|
return searchEmoji(query);
|
||||||
|
};
|
||||||
|
|
||||||
|
export default getEmojiItems;
|
@ -0,0 +1,140 @@
|
|||||||
|
import {
|
||||||
|
ActionIcon,
|
||||||
|
Loader,
|
||||||
|
Paper,
|
||||||
|
ScrollArea,
|
||||||
|
SimpleGrid,
|
||||||
|
Text,
|
||||||
|
} from "@mantine/core";
|
||||||
|
import { EmojiMenuItemType } from "./types";
|
||||||
|
import clsx from "clsx";
|
||||||
|
import classes from "./emoji-menu.module.css";
|
||||||
|
import { useCallback, useEffect, useRef, useState } from "react";
|
||||||
|
import { GRID_COLUMNS, incrementEmojiUsage } from "./utils";
|
||||||
|
|
||||||
|
const EmojiList = ({
|
||||||
|
items,
|
||||||
|
isLoading,
|
||||||
|
command,
|
||||||
|
editor,
|
||||||
|
range,
|
||||||
|
}: {
|
||||||
|
items: EmojiMenuItemType[];
|
||||||
|
isLoading: boolean;
|
||||||
|
command: any;
|
||||||
|
editor: any;
|
||||||
|
range: any;
|
||||||
|
}) => {
|
||||||
|
const [selectedIndex, setSelectedIndex] = useState(0);
|
||||||
|
const viewportRef = useRef<HTMLDivElement>(null);
|
||||||
|
|
||||||
|
const selectItem = useCallback(
|
||||||
|
(index: number) => {
|
||||||
|
const item = items[index];
|
||||||
|
if (item) {
|
||||||
|
command(item);
|
||||||
|
incrementEmojiUsage(item.id);
|
||||||
|
}
|
||||||
|
},
|
||||||
|
[command, items]
|
||||||
|
);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
const navigationKeys = [
|
||||||
|
"ArrowRight",
|
||||||
|
"ArrowLeft",
|
||||||
|
"ArrowUp",
|
||||||
|
"ArrowDown",
|
||||||
|
"Enter",
|
||||||
|
];
|
||||||
|
const onKeyDown = (e: KeyboardEvent) => {
|
||||||
|
if (navigationKeys.includes(e.key)) {
|
||||||
|
e.preventDefault();
|
||||||
|
|
||||||
|
if (e.key === "ArrowRight") {
|
||||||
|
setSelectedIndex(
|
||||||
|
selectedIndex + 1 < items.length ? selectedIndex + 1 : selectedIndex
|
||||||
|
);
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (e.key === "ArrowLeft") {
|
||||||
|
setSelectedIndex(
|
||||||
|
selectedIndex - 1 >= 0 ? selectedIndex - 1 : selectedIndex
|
||||||
|
);
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (e.key === "ArrowUp") {
|
||||||
|
setSelectedIndex(
|
||||||
|
selectedIndex - GRID_COLUMNS >= 0
|
||||||
|
? selectedIndex - GRID_COLUMNS
|
||||||
|
: selectedIndex
|
||||||
|
);
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (e.key === "ArrowDown") {
|
||||||
|
setSelectedIndex(
|
||||||
|
selectedIndex + GRID_COLUMNS < items.length
|
||||||
|
? selectedIndex + GRID_COLUMNS
|
||||||
|
: selectedIndex
|
||||||
|
);
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (e.key === "Enter") {
|
||||||
|
selectItem(selectedIndex);
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
};
|
||||||
|
document.addEventListener("keydown", onKeyDown);
|
||||||
|
return () => {
|
||||||
|
document.removeEventListener("keydown", onKeyDown);
|
||||||
|
};
|
||||||
|
}, [items, selectedIndex, setSelectedIndex]);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
setSelectedIndex(0);
|
||||||
|
}, [items]);
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
viewportRef.current
|
||||||
|
?.querySelector(`[data-item-index="${selectedIndex}"]`)
|
||||||
|
?.scrollIntoView({ block: "nearest" });
|
||||||
|
}, [selectedIndex]);
|
||||||
|
|
||||||
|
return items.length > 0 || isLoading ? (
|
||||||
|
<Paper id="emoji-command" p="0" shadow="md" withBorder>
|
||||||
|
{isLoading && <Loader m="xs" color="blue" type="dots" />}
|
||||||
|
{items.length > 0 && (
|
||||||
|
<ScrollArea.Autosize
|
||||||
|
viewportRef={viewportRef}
|
||||||
|
mah={250}
|
||||||
|
scrollbarSize={8}
|
||||||
|
pr="5"
|
||||||
|
>
|
||||||
|
<SimpleGrid cols={GRID_COLUMNS} p="xs" spacing="xs">
|
||||||
|
{items.map((item, index: number) => (
|
||||||
|
<ActionIcon
|
||||||
|
data-item-index={index}
|
||||||
|
variant="transparent"
|
||||||
|
key={item.id}
|
||||||
|
className={clsx(classes.menuBtn, {
|
||||||
|
[classes.selectedItem]: index === selectedIndex,
|
||||||
|
})}
|
||||||
|
onClick={() => selectItem(index)}
|
||||||
|
>
|
||||||
|
<Text size="xl">{item.emoji}</Text>
|
||||||
|
</ActionIcon>
|
||||||
|
))}
|
||||||
|
</SimpleGrid>
|
||||||
|
</ScrollArea.Autosize>
|
||||||
|
)}
|
||||||
|
</Paper>
|
||||||
|
) : null;
|
||||||
|
};
|
||||||
|
|
||||||
|
export default EmojiList;
|
@ -0,0 +1,23 @@
|
|||||||
|
.menuBtn {
|
||||||
|
border-radius: var(--mantine-radius-sm);
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
@mixin light {
|
||||||
|
background: var(--mantine-color-gray-2);
|
||||||
|
}
|
||||||
|
|
||||||
|
@mixin dark {
|
||||||
|
background: var(--mantine-color-gray-light);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.selectedItem {
|
||||||
|
@mixin light {
|
||||||
|
background: var(--mantine-color-gray-2);
|
||||||
|
}
|
||||||
|
|
||||||
|
@mixin dark {
|
||||||
|
background: var(--mantine-color-gray-light);
|
||||||
|
}
|
||||||
|
}
|
@ -0,0 +1,92 @@
|
|||||||
|
import { ReactRenderer, useEditor } from "@tiptap/react";
|
||||||
|
import EmojiList from "./emoji-list";
|
||||||
|
import tippy from "tippy.js";
|
||||||
|
import { init } from "emoji-mart";
|
||||||
|
|
||||||
|
const renderEmojiItems = () => {
|
||||||
|
let component: ReactRenderer | null = null;
|
||||||
|
let popup: any | null = null;
|
||||||
|
|
||||||
|
return {
|
||||||
|
onBeforeStart: (props: {
|
||||||
|
editor: ReturnType<typeof useEditor>;
|
||||||
|
clientRect: DOMRect;
|
||||||
|
}) => {
|
||||||
|
init({
|
||||||
|
data: async () => (await import("@emoji-mart/data")).default,
|
||||||
|
});
|
||||||
|
|
||||||
|
component = new ReactRenderer(EmojiList, {
|
||||||
|
props: { isLoading: true, items: [] },
|
||||||
|
editor: props.editor,
|
||||||
|
});
|
||||||
|
|
||||||
|
if (!props.clientRect) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// @ts-ignore
|
||||||
|
popup = tippy("body", {
|
||||||
|
getReferenceClientRect: props.clientRect,
|
||||||
|
appendTo: () => document.body,
|
||||||
|
content: component.element,
|
||||||
|
showOnCreate: true,
|
||||||
|
interactive: true,
|
||||||
|
trigger: "manual",
|
||||||
|
placement: "bottom-start",
|
||||||
|
});
|
||||||
|
},
|
||||||
|
onStart: (props: {
|
||||||
|
editor: ReturnType<typeof useEditor>;
|
||||||
|
clientRect: DOMRect;
|
||||||
|
}) => {
|
||||||
|
component?.updateProps({...props, isLoading: false});
|
||||||
|
|
||||||
|
if (!props.clientRect) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
popup &&
|
||||||
|
popup[0].setProps({
|
||||||
|
getReferenceClientRect: props.clientRect,
|
||||||
|
});
|
||||||
|
},
|
||||||
|
onUpdate: (props: {
|
||||||
|
editor: ReturnType<typeof useEditor>;
|
||||||
|
clientRect: DOMRect;
|
||||||
|
}) => {
|
||||||
|
component?.updateProps(props);
|
||||||
|
|
||||||
|
if (!props.clientRect) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
popup &&
|
||||||
|
popup[0].setProps({
|
||||||
|
getReferenceClientRect: props.clientRect,
|
||||||
|
});
|
||||||
|
},
|
||||||
|
onKeyDown: (props: { event: KeyboardEvent }) => {
|
||||||
|
if (props.event.key === "Escape") {
|
||||||
|
popup?.[0].hide();
|
||||||
|
component?.destroy()
|
||||||
|
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
|
||||||
|
// @ts-ignore
|
||||||
|
return component?.ref?.onKeyDown(props);
|
||||||
|
},
|
||||||
|
onExit: () => {
|
||||||
|
if (popup && !popup[0]?.state.isDestroyed) {
|
||||||
|
popup[0]?.destroy();
|
||||||
|
}
|
||||||
|
|
||||||
|
if (component) {
|
||||||
|
component?.destroy();
|
||||||
|
}
|
||||||
|
},
|
||||||
|
};
|
||||||
|
};
|
||||||
|
|
||||||
|
export default renderEmojiItems;
|
@ -0,0 +1,16 @@
|
|||||||
|
import { Range } from "@tiptap/core";
|
||||||
|
import { useEditor } from "@tiptap/react";
|
||||||
|
|
||||||
|
export type EmojiMartFrequentlyType = Record<string, number>;
|
||||||
|
|
||||||
|
export type CommandProps = {
|
||||||
|
editor: ReturnType<typeof useEditor>;
|
||||||
|
range: Range;
|
||||||
|
};
|
||||||
|
|
||||||
|
export type EmojiMenuItemType = {
|
||||||
|
id: string;
|
||||||
|
emoji: string;
|
||||||
|
count?: number;
|
||||||
|
command: (props: CommandProps) => void;
|
||||||
|
};
|
@ -0,0 +1,59 @@
|
|||||||
|
import { CommandProps } from "./types";
|
||||||
|
import { getEmojiDataFromNative } from "emoji-mart";
|
||||||
|
import { EmojiMartFrequentlyType, EmojiMenuItemType } from "./types";
|
||||||
|
|
||||||
|
export const GRID_COLUMNS = 10;
|
||||||
|
|
||||||
|
export const LOCAL_STORAGE_FREQUENT_KEY = "emoji-mart.frequently";
|
||||||
|
|
||||||
|
export const DEFAULT_FREQUENTLY_USED_EMOJI_MART = `{
|
||||||
|
"+1": 10,
|
||||||
|
"grinning": 9,
|
||||||
|
"kissing_heart": 8,
|
||||||
|
"heart_eyes": 7,
|
||||||
|
"laughing": 6,
|
||||||
|
"stuck_out_tongue_winking_eye": 5,
|
||||||
|
"sweat_smile": 4,
|
||||||
|
"joy": 3,
|
||||||
|
"scream": 2,
|
||||||
|
"rocket": 1
|
||||||
|
}`;
|
||||||
|
|
||||||
|
export const incrementEmojiUsage = (emojiId: string) => {
|
||||||
|
const frequentlyUsedEmoji =
|
||||||
|
JSON.parse(localStorage.getItem(LOCAL_STORAGE_FREQUENT_KEY) || DEFAULT_FREQUENTLY_USED_EMOJI_MART);
|
||||||
|
frequentlyUsedEmoji[emojiId]
|
||||||
|
? (frequentlyUsedEmoji[emojiId] += 1)
|
||||||
|
: (frequentlyUsedEmoji[emojiId] = 1);
|
||||||
|
localStorage.setItem(
|
||||||
|
LOCAL_STORAGE_FREQUENT_KEY,
|
||||||
|
JSON.stringify(frequentlyUsedEmoji)
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
export const sortFrequentlyUsedEmoji = async (
|
||||||
|
frequentlyUsedEmoji: EmojiMartFrequentlyType
|
||||||
|
): Promise<EmojiMenuItemType[]> => {
|
||||||
|
const data = await Promise.all(
|
||||||
|
Object.entries(frequentlyUsedEmoji).map(
|
||||||
|
async ([id, count]): Promise<EmojiMenuItemType> => ({
|
||||||
|
id,
|
||||||
|
count,
|
||||||
|
emoji: (await getEmojiDataFromNative(id))?.native,
|
||||||
|
command: async ({ editor, range }: CommandProps) => {
|
||||||
|
editor
|
||||||
|
.chain()
|
||||||
|
.focus()
|
||||||
|
.deleteRange(range)
|
||||||
|
.insertContent((await getEmojiDataFromNative(id))?.native + " ")
|
||||||
|
.run();
|
||||||
|
},
|
||||||
|
})
|
||||||
|
)
|
||||||
|
);
|
||||||
|
return data.sort((a, b) => b.count - a.count);
|
||||||
|
};
|
||||||
|
|
||||||
|
export const getFrequentlyUsedEmoji = () => {
|
||||||
|
return JSON.parse(localStorage.getItem(LOCAL_STORAGE_FREQUENT_KEY) || DEFAULT_FREQUENTLY_USED_EMOJI_MART);
|
||||||
|
}
|
40
apps/client/src/features/editor/extensions/emoji-command.ts
Normal file
40
apps/client/src/features/editor/extensions/emoji-command.ts
Normal file
@ -0,0 +1,40 @@
|
|||||||
|
import { Extension } from "@tiptap/core";
|
||||||
|
import { PluginKey } from "@tiptap/pm/state";
|
||||||
|
import Suggestion, { SuggestionOptions } from "@tiptap/suggestion";
|
||||||
|
import getEmojiItems from "../components/emoji-menu/emoji-items";
|
||||||
|
import renderEmojiItems from "../components/emoji-menu/render-emoji-items";
|
||||||
|
export const emojiMenuPluginKey = new PluginKey("emoji-command");
|
||||||
|
|
||||||
|
const Command = Extension.create({
|
||||||
|
name: "emoji-command",
|
||||||
|
|
||||||
|
addOptions() {
|
||||||
|
return {
|
||||||
|
suggestion: {
|
||||||
|
char: ":",
|
||||||
|
command: ({ editor, range, props }) => {
|
||||||
|
props.command({ editor, range, props });
|
||||||
|
},
|
||||||
|
} as Partial<SuggestionOptions>,
|
||||||
|
};
|
||||||
|
},
|
||||||
|
|
||||||
|
addProseMirrorPlugins() {
|
||||||
|
return [
|
||||||
|
Suggestion({
|
||||||
|
pluginKey: emojiMenuPluginKey,
|
||||||
|
...this.options.suggestion,
|
||||||
|
editor: this.editor,
|
||||||
|
}),
|
||||||
|
];
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const EmojiCommand = Command.configure({
|
||||||
|
suggestion: {
|
||||||
|
items: getEmojiItems,
|
||||||
|
render: renderEmojiItems,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
export default EmojiCommand;
|
@ -70,6 +70,7 @@ import { ReactNodeViewRenderer } from "@tiptap/react";
|
|||||||
import MentionView from "@/features/editor/components/mention/mention-view.tsx";
|
import MentionView from "@/features/editor/components/mention/mention-view.tsx";
|
||||||
import i18n from "@/i18n.ts";
|
import i18n from "@/i18n.ts";
|
||||||
import { MarkdownClipboard } from "@/features/editor/extensions/markdown-clipboard.ts";
|
import { MarkdownClipboard } from "@/features/editor/extensions/markdown-clipboard.ts";
|
||||||
|
import EmojiCommand from "./emoji-command";
|
||||||
|
|
||||||
const lowlight = createLowlight(common);
|
const lowlight = createLowlight(common);
|
||||||
lowlight.register("mermaid", plaintext);
|
lowlight.register("mermaid", plaintext);
|
||||||
@ -132,6 +133,7 @@ export const mainExtensions = [
|
|||||||
TextStyle,
|
TextStyle,
|
||||||
Color,
|
Color,
|
||||||
SlashCommand,
|
SlashCommand,
|
||||||
|
EmojiCommand,
|
||||||
Comment.configure({
|
Comment.configure({
|
||||||
HTMLAttributes: {
|
HTMLAttributes: {
|
||||||
class: "comment-mark",
|
class: "comment-mark",
|
||||||
|
@ -137,6 +137,12 @@ export default function PageEditor({
|
|||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
if (["ArrowUp", "ArrowDown", "ArrowLeft", "ArrowRight", "Enter"].includes(event.key)) {
|
||||||
|
const emojiCommand = document.querySelector("#emoji-command");
|
||||||
|
if (emojiCommand) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
}
|
||||||
},
|
},
|
||||||
},
|
},
|
||||||
handlePaste: (view, event, slice) =>
|
handlePaste: (view, event, slice) =>
|
||||||
|
Loading…
x
Reference in New Issue
Block a user