Skip to content

Releases: nhn/tui.editor

[email protected]

14 Jul 07:29
Compare
Choose a tag to compare

Bugfixes

  • Fixed broken composition in squire selection.(#1668)
  • Fixed wrong converting bullet list item with the ordered number contents.(#1669)

[email protected]

07 Jul 08:50
Compare
Choose a tag to compare

Bugfixes

  • Added type="button" to file upload button.(#1585)
  • Fixed that addImageBlobHook inserts image twice.(#1623)
  • Fixed wrong parsing of html attrs.(#1630)
  • Fixed that getHTML API triggers change event.(#1632)
  • Fixed that the custom toolbar item cannot be toggled with active, disabled state.(#1639)
  • Fixed wrong customHTMLRenderer option type definition.(#1640)
  • Fixed that encode link url unnecessarily.(#1641)
  • Fixed that editor cannot parse the br tag when calling setHTML API.(#1644)

Environment

  • added missing dev dependencies.(#1649)
  • change bundling format of the chart, uml, color-syntax plugins to umd for compatibility of the webpack4.(#1649)

[email protected]

05 Jul 01:37
Compare
Choose a tag to compare

Bugfixes

  • change remove method to destroy method in vue wrapper.(#1583)

v3.0.0

17 Jun 08:22
Compare
Choose a tag to compare

🎊 TOAST UI Editor 3.0 🎊

With the release of TOAST UI Editor 2.0, we were able to improve a lot of features including the Editor's markdown parsing accuracy, syntax highlighting feature, scroll sync accuracy, and more. All of these improvements were made possible due to the implementation of our own ToastMark markdown parser. However, because we focused mainly on the markdown editor for the 2.0, there were no further improvements on the UI like toolbars and switch tabs.

We worked on TOAST UI 3.0 with not only markdown on our mind but also improving the overall structure of the editor and the usage. We added ways for our users to extend our editor's functionalities including custom markdown syntax support, widget node insertion, and improved plugin system and we also overhauled the design to be more sleek and modern. 🙌

Let's take a look at the TOAST UI Editor 3.0's new changes.

🧐 What Changed With 3.0?

Core Module Replacement ➔ Lighter Editor

The original markdown editor had both CodeMirror and ToastMark maintain text information and share changes between the two. However, for the WYSIWYG editor, we used squire to edit and manage the contents.

In other words, because the two editors edited and managed data differently, the controlling structures were also completely different. Therefore, there were issues with internal code consistency and feature extension.

  • When adding or editing certain text, despite the similarity in task, the editors have to use two different APIs and options.
  • While heading, list, tables, and more are maintained as nodes, internally, the editors manage the nodes as completely different objects, making the code difficult to read.

Granted markdown is a text-based editor and WYSIWYG editor is a DOM node-based editor, so the data model structures must be different. However, if two editors were to use a singular module to manage the nodes, classes and structures of operations that abstractify data or manage data can be used uniformly.

  • Customizing the editor using options and APIs as users is a painstaking task. If a user were to customize a certain node's rendered result, the user would have to make the changes for both the markdown editor as well as the WYSIWYG editor according to their structures.

In order to deal with this issue, we used the Prosemirror, a development tool used to build a WYSIWYG editor, for TOAST UI Editor 3.0, and we were able to unify the internal dependencies of the editors into one. The unified dependency allowed us to follow a single, internal structure, and we were able to remove the past dependencies including CodeMirror, squire, and to-mark.

// All nodes from the editor will take the following class structure. 
export class ListItem extends NodeSchema {
  get name() {
    return 'listItem';
  }

  get schema() {
    return {
      content: 'paragraph listGroup*',
      attrs: {
        task: { default: false },
        checked: { default: false },
        rawHTML: { default: null },
      },
      defining: true,
      parseDOM: [
        // ...
      ],
      toDOM({ attrs }: ProsemirrorNode): DOMOutputSpecArray {
        // ...
      },
    };
  }

  commands(): EditorCommand {
    // ...
  }

  keymaps() {
    return {
      Enter: this.commands()(),
    };
  }
}

Furthermore, we reduced the total file size of the bundle by about thirty percent from 602.1KB to 495.6KB.

images

Our decision to use Prosemirror will be discussed in a separate article.

Since v3.0 also provides a ESM bundle, if you do not need legacy browser support, you can use the ESM bundle to use the editor more efficiently.

Custom Markdown Syntax Support

TOAST UI Editor primarily follows the CommonMark while supporting GFM, additionally. However, what if you were to render elements like mathematical expressions or charts? TOAST UI Editor 3.0 options allow users to customize markdown syntax.

Using custom syntax, users can use KaTex syntax to represent mathematical expressions as shown in the following example.

Markdown
image

WYSIWYG
image

As you can see in the above images, you can enter any text to use custom syntax in the block surrounded by the $$ symbol. Using custom syntax, users can define their own parsing logic to render text that isn't supported by markdown.

Widget Node

TOAST UI Editor 3.0 now comes with newly added widgetRules option that allows users to display plain text as a designated widget node. With this option, you can display the linked text as mention nodes or as any form of DOM node you choose.

const reWidgetRule = /\[(@\S+)\]\((\S+)\)/;

const editor = new Editor({
  el: document.querySelector('#editor'),
  widgetRules: [
    {
      rule: reWidgetRule,
      toDOM(text) {
        const rule = reWidgetRule;
        const matched = text.match(rule);
        const span = document.createElement('span');
  
        span.innerHTML = `<a class="widget-anchor" href="${matched[2]}">${matched[1]}</a>`;
        return span;
      },
    },
  ],
});

As you can see in the example code, the widgetRules define the rules in an array, and each rule is attributed as rule and toDOM properties.

  • rule: Must be a RegExp value, and any text that fits the expression is substituted as widget node.
  • toDOM: Define the DOM node of the widget node that will be rendered.

image

You can also insert the widget node synced with a popup widget as shown below.

image

Plugin System

TOAST UI Editor offers five plugins out of the box.

Plugin Description
chart Plugin for rendering charts
code-syntax-highlight Plugin for syntax highlighting
color-syntax Plugin for color picker
table-merged-cell Plugin for table merged cells
uml Plugin for UML

Aside from the five default plugins, users can also define their own plugin functions. Previously in v2.0, there was no clear format for defining plugins, and users had to access the editor instance directly as shown below. The previous method of defining plugins made it difficult for users to understand the code by creating a strong coupling between the editor and the plugin.

v2.0

export default function colorSyntaxPlugin(editor, options = {}) {
  // ...
  editor.eventManager.listen('convertorAfterMarkdownToHtmlConverted', html => {
    // ...
  });

  editor.eventManager.listen('convertorAfterHtmlToMarkdownConverted', markdown => {
    // ...
  });

  if (!editor.isViewer() && editor.getUI().name === 'default') {
    editor.addCommand('markdown', {
      name: 'color',
      exec(mde, color) {
        // Access the CodeMirror instance
        const cm = mde.getEditor();
        const rangeFrom = cm.getCursor('from');
        // ...
      }
    });

    editor.addCommand('wysiwyg', {
      name: 'color',
      exec(wwe, color) {
        if (!color) {
          return;
        }

        // access the squire instance
        const sq = wwe.getEditor();
        const tableSelectionManager = wwe.componentManager.getManager('tableSelection');

        // ...
      }
    });
  }
});

The code above is a little snippet of the color-syntax plugin code from the v2.0. Without a predefined format, there was a lot of editor API dependent code, and there are even codes that have to access CodeMirror and squire directly to control the internal states.

TOAST UI Editor 3.0 has removed all of the previous foundational structures and has made it so that users can define the plugins in a predefined format. Furthermore, the plugin is now separated to function even with a minimal access to the editor.

v3.0

export default function colorSyntaxPlugin(context, options) {
  // ...
  return {
    markdownCommands: {
      color: ({ selectedColor }, { tr, selection, schema }, dispatch) => {
        if (selectedColor) {
          // ...
          return true;
        }
        return false;
      },
    },
    wysiwygCommands: {
      color: ({ selectedColor }, { tr, selection, schema }, dispatch) => {
        if (selectedColor) {
          // ...
          return true;
        }
        return false;
      },
    },
    toolbarItems: [
      {
        groupIndex: 0,
        itemIndex: 3,
        item: toolbarItem,
      },
    ],
    // ...
  };
}

Newly defined color-syntax plugin code is comparatively simpler and easier to read than the previous code. The object returned from the plugin function has properties (markdownCommands, wysiwygCommands, and toolbarItems) that c...

Read more

[email protected]

16 Apr 07:31
Compare
Choose a tag to compare

Bug Fixes

Editor

  • c7450cf incorrect type definitions in customHTMLRenderer prop (#1460)
  • 11b40c3 fixed that cannot convert details, summary block using useDefaultHTMLSanitizer: false option (#1472)

[email protected]

23 Dec 00:39
Compare
Choose a tag to compare

Bug Fixes

  • e202e59 Pasted table is broken when merged cells contain tags (#1313)

[email protected]

24 Nov 01:54
Compare
Choose a tag to compare

Bug Fixes

Editor

  • 16203d1 The list is not created in a WYSIWYG table when the editor's container is a list (#1254)
  • 65e8ee1 Incorrect pasting if data copied from MS Office has styling (#1258)

[email protected]

03 Nov 10:22
Compare
Choose a tag to compare

Bug Fixes

  • f0caaac Error occurs when pasting into a table (fix #1249)

[email protected]

21 Oct 10:24
Compare
Choose a tag to compare

New Features

Editor

Bug Fixes

Editor

  • 90143c4 Fix a problem that when copying a child list, it was pasted in an indented state (#1230)
  • b129c66 Revised Norwegian for i18n (#1207)

[email protected]

21 Oct 10:26
Compare
Choose a tag to compare

New Features

Bug Fixes