Wire up emoji+custom emote selector to text input. Closes #1887

This commit is contained in:
Gabe Kangas
2022-09-06 17:52:02 -07:00
parent 6ebf342815
commit 121c9415f1
5 changed files with 182 additions and 84 deletions

View File

@@ -2,15 +2,41 @@ import React from 'react';
import { ComponentStory, ComponentMeta } from '@storybook/react'; import { ComponentStory, ComponentMeta } from '@storybook/react';
import { RecoilRoot } from 'recoil'; import { RecoilRoot } from 'recoil';
import ChatTextField from './ChatTextField'; import ChatTextField from './ChatTextField';
import Mock from '../../../stories/assets/mocks/chatinput-mock.png'; import Mockup from '../../../stories/assets/mocks/chatinput-mock.png';
const mockResponse = JSON.parse(
`[{"name":"Reaper-gg.png","url":"https://ui-avatars.com/api/?background=0D8ABC&color=fff&name=OC"},{"name":"Reaper-hi.png","url":"https://ui-avatars.com/api/?background=0D8ABC&color=fff&name=XX"},{"name":"Reaper-hype.png","url":"https://ui-avatars.com/api/?background=0D8ABC&color=fff&name=TX"},{"name":"Reaper-lol.png","url":"https://ui-avatars.com/api/?background=0D8ABC&color=fff&name=CA"},{"name":"Reaper-love.png","url":"https://ui-avatars.com/api/?background=0D8ABC&color=fff&name=OK"}]`,
);
const mocks = {
mocks: [
{
// The "matcher" determines if this
// mock should respond to the current
// call to fetch().
matcher: {
name: 'response',
url: 'glob:/api/emoji',
},
// If the "matcher" matches the current
// fetch() call, the fetch response is
// built using this "response".
response: {
status: 200,
body: mockResponse,
},
},
],
};
export default { export default {
title: 'owncast/Chat/Input text field', title: 'owncast/Chat/Input text field',
component: ChatTextField, component: ChatTextField,
parameters: { parameters: {
fetchMock: mocks,
design: { design: {
type: 'image', type: 'image',
url: Mock, url: Mockup,
}, },
docs: { docs: {
description: { description: {
@@ -24,14 +50,12 @@ export default {
}, },
} as ComponentMeta<typeof ChatTextField>; } as ComponentMeta<typeof ChatTextField>;
// eslint-disable-next-line @typescript-eslint/no-unused-vars const Template: ComponentStory<typeof ChatTextField> = () => (
const Template: ComponentStory<typeof ChatTextField> = args => (
<RecoilRoot> <RecoilRoot>
<ChatTextField {...args} /> <ChatTextField />
</RecoilRoot> </RecoilRoot>
); );
// eslint-disable-next-line @typescript-eslint/no-unused-vars
export const Example = Template.bind({}); export const Example = Template.bind({});
export const LongerMessage = Template.bind({}); export const LongerMessage = Template.bind({});

View File

@@ -1,18 +1,30 @@
import { SendOutlined, SmileOutlined } from '@ant-design/icons'; import { SendOutlined, SmileOutlined } from '@ant-design/icons';
import { Button, Popover } from 'antd'; import { Button, Popover } from 'antd';
import React, { useState } from 'react'; import React, { useMemo, useState } from 'react';
import { useRecoilValue } from 'recoil'; import { useRecoilValue } from 'recoil';
import { Transforms, createEditor, BaseEditor, Text } from 'slate'; import { Editor, Node, Path, Transforms, createEditor, BaseEditor, Text, Descendant } from 'slate';
import { Slate, Editable, withReact, ReactEditor } from 'slate-react'; import { Slate, Editable, withReact, ReactEditor, useSelected, useFocused } from 'slate-react';
import EmojiPicker from './EmojiPicker'; import EmojiPicker from './EmojiPicker';
import WebsocketService from '../../../services/websocket-service'; import WebsocketService from '../../../services/websocket-service';
import { websocketServiceAtom } from '../../stores/ClientConfigStore'; import { websocketServiceAtom } from '../../stores/ClientConfigStore';
import { MessageType } from '../../../interfaces/socket-events'; import { MessageType } from '../../../interfaces/socket-events';
import s from './ChatTextField.module.scss'; import style from './ChatTextField.module.scss';
type CustomElement = { type: 'paragraph' | 'span'; children: CustomText[] }; type CustomElement = { type: 'paragraph' | 'span'; children: CustomText[] } | ImageNode;
type CustomText = { text: string }; type CustomText = { text: string };
type EmptyText = {
text: string;
};
type ImageNode = {
type: 'image';
alt: string;
src: string;
name: string;
children: EmptyText[];
};
declare module 'slate' { declare module 'slate' {
interface CustomTypes { interface CustomTypes {
Editor: BaseEditor & ReactEditor; Editor: BaseEditor & ReactEditor;
@@ -21,26 +33,27 @@ declare module 'slate' {
} }
} }
interface Props { const Image = p => {
value?: string; const { attributes, element, children } = p;
}
// eslint-disable-next-line react/prop-types const selected = useSelected();
const Image = ({ element }) => ( const focused = useFocused();
return (
<span {...attributes} contentEditable={false}>
<img <img
// eslint-disable-next-line no-undef alt={element.alt}
// eslint-disable-next-line react/prop-types src={element.src}
src={element.url} title={element.name}
alt="emoji" style={{
style={{ display: 'inline', position: 'relative', width: '30px', bottom: '10px' }} display: 'inline',
maxWidth: '50px',
maxHeight: '20px',
boxShadow: `${selected && focused ? '0 0 0 3px #B4D5FF' : 'none'}`,
}}
/> />
{children}
</span>
); );
// eslint-disable-next-line @typescript-eslint/no-unused-vars
const insertImage = (editor, url) => {
// const text = { text: '' };
// const image: ImageElement = { type: 'image', url, children: [text] };
// Transforms.insertNodes(editor, image);
}; };
const withImages = editor => { const withImages = editor => {
@@ -54,54 +67,40 @@ const withImages = editor => {
return editor; return editor;
}; };
export type EmptyText = {
text: string;
};
// type ImageElement = {
// type: 'image';
// url: string;
// children: EmptyText[];
// };
const Element = (props: any) => {
const { attributes, children, element } = props;
switch (element.type) {
case 'image':
return <Image {...props} />;
default:
return <p {...attributes}>{children}</p>;
}
};
const serialize = node => { const serialize = node => {
if (Text.isText(node)) { if (Text.isText(node)) {
const string = node.text; const string = node.text;
// if (node.bold) {
// string = `<strong>${string}</strong>`;
// }
return string; return string;
} }
const children = node.children.map(n => serialize(n)).join(''); let children;
if (node.children.length === 0) {
children = [{ text: '' }];
} else {
children = node.children?.map(n => serialize(n)).join('');
}
switch (node.type) { switch (node.type) {
case 'paragraph': case 'paragraph':
return `<p>${children}</p>`; return `<p>${children}</p>`;
case 'image': case 'image':
return `<img src="${node.url}" alt="emoji" />`; return `<img src="${node.src}" alt="${node.alt}" title="${node.name}" class="emoji"/>`;
default: default:
return children; return children;
} }
}; };
// eslint-disable-next-line @typescript-eslint/no-unused-vars export default function ChatTextField() {
export default function ChatTextField(props: Props) {
// const { value: originalValue } = props;
const [showEmojis, setShowEmojis] = useState(false); const [showEmojis, setShowEmojis] = useState(false);
const websocketService = useRecoilValue<WebsocketService>(websocketServiceAtom); const websocketService = useRecoilValue<WebsocketService>(websocketServiceAtom);
const [editor] = useState(() => withImages(withReact(createEditor()))); const editor = useMemo(() => withReact(withImages(createEditor())), []);
const defaultEditorValue: Descendant[] = [
{
type: 'paragraph',
children: [{ text: '' }],
},
];
const sendMessage = () => { const sendMessage = () => {
if (!websocketService) { if (!websocketService) {
@@ -110,23 +109,62 @@ export default function ChatTextField(props: Props) {
} }
const message = serialize(editor); const message = serialize(editor);
websocketService.send({ type: MessageType.CHAT, body: message }); websocketService.send({ type: MessageType.CHAT, body: message });
// Clear the editor. // Clear the editor.
Transforms.select(editor, [0, editor.children.length - 1]); Transforms.delete(editor, {
Transforms.delete(editor); at: {
anchor: Editor.start(editor, []),
focus: Editor.end(editor, []),
},
});
}; };
const handleChange = () => {}; const createImageNode = (alt, src, name): ImageNode => ({
type: 'image',
alt,
src,
name,
children: [{ text: '' }],
});
const handleEmojiSelect = (e: any) => { const insertImage = (url, name) => {
if (!url) return;
const { selection } = editor;
const image = createImageNode(name, url, name);
Transforms.insertNodes(editor, image, { select: true });
if (selection) {
const [parentNode, parentPath] = Editor.parent(editor, selection.focus?.path);
if (editor.isVoid(parentNode) || Node.string(parentNode).length) {
// Insert the new image node after the void node or a node with content
Transforms.insertNodes(editor, image, {
at: Path.next(parentPath),
select: true,
});
} else {
// If the node is empty, replace it instead
// Transforms.removeNodes(editor, { at: parentPath });
Transforms.insertNodes(editor, image, { at: parentPath, select: true });
Editor.normalize(editor, { force: true });
}
} else {
// Insert the new image node at the bottom of the Editor when selection
// is falsey
Transforms.insertNodes(editor, image, { select: true });
}
};
const onEmojiSelect = (e: any) => {
ReactEditor.focus(editor); ReactEditor.focus(editor);
if (e.url) { if (e.url) {
// Custom emoji // Custom emoji
const { url } = e; const { url } = e;
insertImage(editor, url); insertImage(url, url);
} else { } else {
// Native emoji // Native emoji
const { emoji } = e; const { emoji } = e;
@@ -134,6 +172,12 @@ export default function ChatTextField(props: Props) {
} }
}; };
const onCustomEmojiSelect = (e: any) => {
ReactEditor.focus(editor);
const { url } = e;
insertImage(url, url);
};
const onKeyDown = (e: React.KeyboardEvent) => { const onKeyDown = (e: React.KeyboardEvent) => {
if (e.key === 'Enter') { if (e.key === 'Enter') {
e.preventDefault(); e.preventDefault();
@@ -141,23 +185,34 @@ export default function ChatTextField(props: Props) {
} }
}; };
const renderElement = p => {
switch (p.element.type) {
case 'image':
return <Image {...p} />;
default:
return <p {...p} />;
}
};
return ( return (
<div> <div>
<div className={s.root}> <div className={style.root}>
<Slate <Slate editor={editor} value={defaultEditorValue}>
editor={editor}
value={[{ type: 'paragraph', children: [{ text: '' }] }]}
onChange={handleChange}
>
<Editable <Editable
onKeyDown={onKeyDown} onKeyDown={onKeyDown}
renderElement={p => <Element {...p} />} renderElement={renderElement}
placeholder="Chat message goes here..." placeholder="Chat message goes here..."
style={{ width: '100%' }} style={{ width: '100%' }}
// onChange={change => setValue(change.value)}
autoFocus autoFocus
/> />
<Popover <Popover
content={<EmojiPicker onEmojiSelect={handleEmojiSelect} />} content={
<EmojiPicker
onEmojiSelect={onEmojiSelect}
onCustomEmojiSelect={onCustomEmojiSelect}
/>
}
trigger="click" trigger="click"
onVisibleChange={visible => setShowEmojis(visible)} onVisibleChange={visible => setShowEmojis(visible)}
visible={showEmojis} visible={showEmojis}
@@ -166,14 +221,14 @@ export default function ChatTextField(props: Props) {
<button <button
type="button" type="button"
className={s.emojiButton} className={style.emojiButton}
title="Emoji picker button" title="Emoji picker button"
onClick={() => setShowEmojis(!showEmojis)} onClick={() => setShowEmojis(!showEmojis)}
> >
<SmileOutlined /> <SmileOutlined />
</button> </button>
<Button <Button
className={s.sendButton} className={style.sendButton}
size="large" size="large"
type="ghost" type="ghost"
icon={<SendOutlined />} icon={<SendOutlined />}
@@ -183,7 +238,3 @@ export default function ChatTextField(props: Props) {
</div> </div>
); );
} }
ChatTextField.defaultProps = {
value: '',
};

View File

@@ -5,12 +5,13 @@ const CUSTOM_EMOJI_URL = '/api/emoji';
interface Props { interface Props {
// eslint-disable-next-line react/no-unused-prop-types // eslint-disable-next-line react/no-unused-prop-types
onEmojiSelect: (emoji: string) => void; onEmojiSelect: (emoji: string) => void;
onCustomEmojiSelect: (emoji: string) => void;
} }
// eslint-disable-next-line @typescript-eslint/no-unused-vars // eslint-disable-next-line @typescript-eslint/no-unused-vars
export default function EmojiPicker(props: Props) { export default function EmojiPicker(props: Props) {
const [customEmoji, setCustomEmoji] = useState([]); const [customEmoji, setCustomEmoji] = useState([]);
const { onEmojiSelect } = props; const { onEmojiSelect, onCustomEmojiSelect } = props;
const ref = useRef(); const ref = useRef();
const getCustomEmoji = async () => { const getCustomEmoji = async () => {
@@ -30,10 +31,25 @@ export default function EmojiPicker(props: Props) {
// Recreate the emoji picker when the custom emoji changes. // Recreate the emoji picker when the custom emoji changes.
useEffect(() => { useEffect(() => {
const picker = createPicker({ rootElement: ref.current, custom: customEmoji }); const e = customEmoji.map(emoji => ({
emoji: emoji.name,
label: emoji.name,
url: emoji.url,
}));
const picker = createPicker({
rootElement: ref.current,
custom: e,
initialCategory: 'custom',
showPreview: false,
showRecents: true,
});
picker.addEventListener('emoji:select', event => { picker.addEventListener('emoji:select', event => {
console.log('Emoji selected:', event.emoji); if (event.url) {
onCustomEmojiSelect(event);
} else {
onEmojiSelect(event); onEmojiSelect(event);
}
}); });
}, [customEmoji]); }, [customEmoji]);

View File

@@ -12,6 +12,7 @@
font-family: var(--theme-text-display-font-family); font-family: var(--theme-text-display-font-family);
font-weight: bold; font-weight: bold;
} }
.message { .message {
color: var(--theme-color-components-chat-text); color: var(--theme-color-components-chat-text);

View File

@@ -100,3 +100,9 @@ body {
overflow: hidden; overflow: hidden;
} }
} }
.emoji {
height: 30px;
margin-left: 5px;
margin-right: 5px;
}