Yoopta is fully open source and built with all my heart and love. It was born from real pain
I've integrated rich-text editors into products more times than I'd like to admit. Every time it was the same story: wrestling with complex APIs, fighting against opinionated UI that doesn't fit your product, hacking around limitations, and writing glue code that makes you mass text your wife and check hair transplant prices (I'm currently accepting donations for the procedure — every star on GitHub brings me one follicle closer).
Yoopta was built to end that cycle. The idea is simple: give developers a headless core when they need full control, but also ship 20+ ready-made plugins, pre-built UI components (toolbars, slash menus, block actions), and theme presets (shadcn, Material) — so you can launch a polished editing experience without thinking about implementing a rich-text editor in your project and engage in other business tasks
If Yoopta saves you time, consider starring the repo or sponsoring the project. It keeps the project alive
Yoopta-Editor is a free, open-source rich-text editor built for React apps. It's packed with features that let you build an editor as powerful and user-friendly as Notion, Craft, Coda, Medium etc.
Built on top of Slate.js with a powerful plugin architecture, Yoopta-Editor gives you the flexibility to customize everything—tweak the look, add features, or craft a completely custom user interface. The core is headless by default; Yoopta also provides pre-built theme presets so you can get a full editing experience and start quickly (shadcn theme @yoopta/themes-shadcn is available now; Material theme is in progress). Pre-built UI components via @yoopta/ui (toolbars, menus, block actions) let you improve the editing experience without building everything from scratch.
- Easy setup — Sensible defaults; plugins and marks passed to
createYooptaEditor, then render<YooptaEditor /> - 20+ plugins — Paragraph, headings, lists, code, image, video, table, callout, accordion, tabs, steps, divider, embed, file, link, mention, carousel, table-of-contents, and more
- Headless core — Full control over UI; optional pre-built theme presets (
@yoopta/themes-shadcnavailable,@yoopta/themes-materialin progress) for styled block UI - Pre-built UI components (
@yoopta/ui) — FloatingToolbar, SlashCommandMenu, ActionMenuList, BlockOptions, FloatingBlockActions, SelectionBox, BlockDndContext so you don’t have to build everything from scratch - Blocks, Elements, Marks APIs — Programmatic control: insert/update/delete blocks and elements, apply text formatting (Bold, Italic, Highlight, etc.), custom marks supported
- Undo/redo — Built-in history with
editor.undo()/editor.redo(); batch operations for single undo step - Drag and drop — Reorder blocks with nested depth support; optional
SortableBlockfor custom DnD - Selection box — Multi-block selection for copy, delete, or bulk operations
- Slash command & action menu — Type
/for block insertion; floating block actions (+, drag handle, block options) - Inline elements — Links, @mentions, and custom inline nodes within text
- Export — HTML, Markdown, plain text, email template; get/set content as Yoopta JSON
- Events —
editor.on('change' | 'focus' | 'blur' | 'path-change' | 'block:copy')for sync, analytics, or custom logic - Keyboard shortcuts — Customizable hotkeys; Tab/Shift+Tab for indent/outdent; shortcuts per plugin and mark
- Read-only mode — Use the same editor instance for viewing or editing
- TypeScript — Full type definitions for editor, blocks, elements, and plugins
- Mobile friendly — Touch support; works in responsive layouts
- Custom plugins & marks — Define new block types or text formats and plug them in
- Media & large docs — Image/video optimization, lazy loading; performant with many blocks
- Theming — CSS variables (light/dark); theme packages for plugin element styling
# Install peer dependencies and core packages
yarn add slate slate-react slate-dom @yoopta/editor
# Add plugins you need
yarn add @yoopta/paragraph @yoopta/headings @yoopta/lists @yoopta/blockquote @yoopta/code @yoopta/image @yoopta/video @yoopta/embed @yoopta/file @yoopta/callout @yoopta/divider @yoopta/accordion @yoopta/table @yoopta/tabs @yoopta/steps @yoopta/mention @yoopta/links
# Add marks for text formatting
yarn add @yoopta/marks
# Add UI components
yarn add @yoopta/ui
# Optional: theme for styled block UI (Shadcn or Material)
yarn add @yoopta/themes-shadcnPlugins, initial value and marks are passed to createYooptaEditor
import { useMemo, useEffect } from 'react';
import YooptaEditor, { createYooptaEditor, type YooptaContentValue } from '@yoopta/editor';
import Paragraph from '@yoopta/paragraph';
import Headings from '@yoopta/headings';
import { Bold, Italic, Underline, Strike, CodeMark, Highlight } from '@yoopta/marks';
const PLUGINS = [Paragraph, Headings.HeadingOne, Headings.HeadingTwo, Headings.HeadingThree];
const MARKS = [Bold, Italic, Underline, Strike, CodeMark, Highlight];
const initialValue = {} as YooptaContentValue;
const EDITOR_STYLES = {
width: 750,
// useful when you want to create default block by clicking on empty are
paddingBottom: 150,
};
export default function Editor() {
const editor = useMemo(
() => createYooptaEditor({ plugins: PLUGINS, marks: MARKS, value: initialValue }),
[],
);
return (
<YooptaEditor
editor={editor}
style={EDITOR_STYLES}
placeholder="Type / to open menu"
onChange={(value) => console.log('onChange', value)}
/>
);
}The editor and plugins are headless by default. For styled block UI you can use a theme package:
@yoopta/themes-shadcn— Shadcn UI styled components (production ready)@yoopta/themes-material— Material Design (in progress)
Option 1: Apply theme to all plugins
import { applyTheme } from '@yoopta/themes-shadcn';
const plugins = applyTheme([
Paragraph,
Callout,
Headings.HeadingOne,
Headings.HeadingTwo,
Headings.HeadingThree,
]);
const editor = createYooptaEditor({ plugins, marks: MARKS });Option 2: Apply theme UI to a single plugin
import Callout from '@yoopta/callout';
import { CalloutUI } from '@yoopta/themes-shadcn/callout';
const CalloutWithUI = Callout.extend({ elements: CalloutUI });
// Use CalloutWithUI in your plugins arraySee docs/core/themes for the full concept.
All UI (toolbar, slash menu, block actions) must be children of <YooptaEditor> so they can use useYooptaEditor(). Yoopta provides ready-to-use components from @yoopta/ui:
import { useMemo, useState, useRef } from 'react';
import YooptaEditor, { createYooptaEditor, Blocks, Marks, useYooptaEditor } from '@yoopta/editor';
import { FloatingToolbar, FloatingBlockActions, BlockOptions, SlashCommandMenu } from '@yoopta/ui';
// Floating toolbar for text formatting
function MyToolbar() {
const editor = useYooptaEditor();
return (
<FloatingToolbar>
<FloatingToolbar.Content>
<FloatingToolbar.Group>
{editor.formats.bold && (
<FloatingToolbar.Button
onClick={() => Marks.toggle(editor, { type: 'bold' })}
active={Marks.isActive(editor, { type: 'bold' })}>
B
</FloatingToolbar.Button>
)}
</FloatingToolbar.Group>
</FloatingToolbar.Content>
</FloatingToolbar>
);
}
// Floating block actions (plus button, drag handle)
function MyFloatingBlockActions() {
const editor = useYooptaEditor();
const [blockOptionsOpen, setBlockOptionsOpen] = useState(false);
const dragHandleRef = useRef<HTMLButtonElement>(null);
return (
<FloatingBlockActions frozen={blockOptionsOpen}>
{({ blockId }) => (
<>
<FloatingBlockActions.Button
onClick={() => {
if (!blockId) return;
const block = Blocks.getBlock(editor, { id: blockId });
if (block) editor.insertBlock('Paragraph', { at: block.meta.order + 1, focus: true });
}}>
+
</FloatingBlockActions.Button>
<FloatingBlockActions.Button
ref={dragHandleRef}
onClick={() => setBlockOptionsOpen(true)}>
⋮⋮
</FloatingBlockActions.Button>
<BlockOptions
open={blockOptionsOpen}
onOpenChange={setBlockOptionsOpen}
anchor={dragHandleRef.current}>
<BlockOptions.Content>{/* Block options menu items */}</BlockOptions.Content>
</BlockOptions>
</>
)}
</FloatingBlockActions>
);
}
export default function Editor() {
const editor = useMemo(
() =>
createYooptaEditor({
plugins: PLUGINS,
marks: MARKS,
}),
[],
);
return (
<YooptaEditor
editor={editor}
autoFocus
placeholder="Type / to open menu"
style={{ width: 750 }}>
<MyToolbar />
<MyFloatingBlockActions />
<SlashCommandMenu />
</YooptaEditor>
);
}| Package | Description |
|---|---|
| @yoopta/editor | Core editor component and API (headless) |
| @yoopta/ui | UI components (FloatingToolbar, ActionMenuList, SlashCommandMenu, FloatingBlockActions, BlockOptions, SelectionBox, BlockDndContext, SortableBlock) |
| @yoopta/exports | Serializers for HTML, Markdown, PlainText, Email |
| @yoopta/marks | Text formatting marks (Bold, Italic, Underline, Strike, Code, Highlight) |
| Package | Description |
|---|---|
| @yoopta/themes-shadcn | Shadcn UI styled block elements (production) |
| @yoopta/themes-material | Material Design styled block elements (in progress) |
| Package | Description |
|---|---|
| @yoopta/paragraph | Basic text paragraph |
| @yoopta/headings | H1, H2, H3 headings |
| @yoopta/lists | Bulleted, numbered, and todo lists |
| @yoopta/blockquote | Block quotes |
| @yoopta/callout | Callout/alert boxes with themes |
| @yoopta/code | Code blocks with syntax highlighting |
| @yoopta/image | Images with optimization |
| @yoopta/video | Video embeds (YouTube, Vimeo, etc.) |
| @yoopta/embed | Generic embeds (Figma, Twitter, etc.) |
| @yoopta/file | File attachments |
| @yoopta/table | Tables with headers |
| @yoopta/accordion | Collapsible accordion sections |
| @yoopta/tabs | Tabbed content panels |
| @yoopta/steps | Step-by-step instructions |
| @yoopta/divider | Visual dividers |
| @yoopta/link | Inline links |
| @yoopta/mention | @mentions |
| @yoopta/carousel | Image carousels |
| @yoopta/table-of-contents | Table of contents block |
All marks are available from @yoopta/marks:
- Bold -
Cmd/Ctrl + B - Italic -
Cmd/Ctrl + I - Underline -
Cmd/Ctrl + U - Strike -
Cmd/Ctrl + Shift + S - CodeMark -
Cmd/Ctrl + E - Highlight - Text highlighting with colors
UI components from @yoopta/ui use CSS variables for theming. For styled block elements (callout, code, image, etc.), use a theme package: @yoopta/themes-shadcn or @yoopta/themes-material (see Themes above).
The editor instance provides programmatic control over content
const editor = useMemo(
() =>
createYooptaEditor({
plugins: PLUGINS,
marks: MARKS,
// value: initialValue, // optional; or set later with setEditorValue()
}),
[],
);
// Element builder - create complex nested structures
const elements = editor.y('paragraph', {
children: [editor.y.text('Hello '), editor.y.text('world', { bold: true, italic: true })],
});
// Inline elements (e.g., links)
const linkElement = editor.y.inline('link', {
props: { url: 'https://example.com', target: '_blank' },
children: [editor.y.text('Click here', { bold: true })],
});
// Insert block with elements
editor.insertBlock('Paragraph', { elements, at: 0, focus: true });
// Toggle block type (preserves content)
editor.toggleBlock('HeadingOne', { at: editor.path.current, focus: true });
// Batch multiple operations
editor.batchOperations(() => {
editor.insertBlock('HeadingOne', { at: 0 });
editor.insertBlock('Paragraph', { at: 1 });
});
// Export content
const html = editor.getHTML();
const markdown = editor.getMarkdown();
const plainText = editor.getPlainText();
// History
editor.undo();
editor.redo();
// Content getter (or use value from onChange)
const value = editor.getEditorValue();
// Events
editor.on('change', ({ value, operations }) => console.log(value));
editor.on('focus', () => console.log('focused'));
editor.on('blur', () => console.log('blurred'));Namespace for block-level operations. Import: import { Blocks } from '@yoopta/editor'
Blocks.insertBlock(editor, { ... }) // Insert a new block
Blocks.deleteBlock(editor, { ... }) // Delete a block
Blocks.updateBlock(editor, { ... }) // Update block properties
Blocks.moveBlock(editor, { ... }) // Move block to new position
Blocks.duplicateBlock(editor, { ... }) // Duplicate a block
Blocks.toggleBlock(editor, { ... }) // Change block type
Blocks.focusBlock(editor, { ... }) // Focus a specific block
Blocks.splitBlock(editor, { ... }) // Split block at cursor
Blocks.mergeBlock(editor, { ... }) // Merge with adjacent block
Blocks.increaseBlockDepth(editor, { ... }) // Indent block
Blocks.decreaseBlockDepth(editor, { ... }) // Outdent block
Blocks.getBlock(editor, { ... }) // Get block by ID
Blocks.getBlockSlate(editor, { ... }) // Get Slate instance for block
Blocks.buildBlockData(editor, { ... }) // Build block data structureNamespace for element-level operations within blocks. Import: import { Elements } from '@yoopta/editor'
Elements.insertElement(editor, { ... }) // Insert element in block
Elements.updateElement(editor, { ... }) // Update element properties
Elements.deleteElement(editor, { ... }) // Delete element
Elements.getElement(editor, { ... }) // Get element by matcher
Elements.getElements(editor, { ... }) // Get multiple elements
Elements.getElementEntry(editor, { ... }) // Get element with path
Elements.getElementPath(editor, { ... }) // Get path to element
Elements.getParentElementPath(editor, { ... }) // Get parent path
Elements.getElementChildren(editor, { ... }) // Get child elements
Elements.isElementEmpty(editor, { ... }) // Check if element is emptyNamespace for text formatting operations. Import: import { Marks } from '@yoopta/editor'
// Apply marks to text at specific block positions
Marks.update(editor, {
type: 'bold',
value: true,
at: [0, 1, 2], // block indices
});
// Apply highlight with custom styles
Marks.update(editor, {
type: 'highlight',
value: { color: 'red', backgroundColor: '#ffff00' },
at: [0],
});import { createYooptaMark } from '@yoopta/editor';
const CustomMark = createYooptaMark({
type: 'custom',
hotkey: 'mod+shift+c',
render: (props) => <span className="custom-mark">{props.children}</span>,
});const editor = createYooptaEditor({
plugins: YooptaPlugin[]; // Required. List of plugins
marks?: YooptaMark[]; // Optional. Text formatting marks
value?: YooptaContentValue; // Optional. Initial content (or use setEditorValue later)
readOnly?: boolean;
id?: string;
});plugins, marks, and value are not props of <YooptaEditor>; they belong to createYooptaEditor
type YooptaEditorProps = {
editor: YooEditor; // Required. From createYooptaEditor()
onChange?: (value: YooptaContentValue, options: { operations }) => void;
onPathChange?: (path: YooptaPath) => void;
placeholder?: string;
autoFocus?: boolean;
className?: string;
style?: React.CSSProperties;
renderBlock?: (props) => React.ReactNode; // e.g. for SortableBlock
children?: React.ReactNode; // UI components: FloatingToolbar, SlashCommandMenu, etc.
};Live demos and source code from the next-app-example app:
- Playground — Full setup: toolbar, slash menu, block actions, drag & drop, mentions (source)
- Rich Chat — WhatsApp/Telegram-like messaging with rich text, code blocks, reactions (source)
- Word Example — Word-like editor with fixed toolbar, tables, images (source)
- Slack Chat — Slack-style channel list and message composer (source)
- README Editor — Split view with live Markdown preview (source)
- Email Builder — Email composition with blocks and export (source)
- Plugin demos — Per-plugin live demos (e.g. paragraph, callout) (source)
packages/
├── core/
│ ├── editor/ # @yoopta/editor - Main editor
│ ├── ui/ # @yoopta/ui - UI components
│ └── exports/ # @yoopta/exports - Serializers
├── plugins/ # Block plugins
├── marks/ # Text formatting marks
├── themes/ # Theme packages
└── development/ # Dev playground
# Install dependencies
yarn install
# Build all packages
yarn build
# Start dev server with watch mode
yarn dev
# Run tests
yarn test
# Lint
yarn lint- AI tools for content generation
- Collaborative editing mode
- Simplified plugin API
- Additional plugins
If you find Yoopta-Editor useful, consider supporting the project:
- Star this repository
- Sponsor on GitHub
- Buy me a coffee
- Share with others

