Report an issue

guideIntegrating track changes with your application

The track changes plugin provides an API that lets you manage suggestions added to the document. To save and access suggestions in your database, you first need to integrate this feature.

This guide describes integrating track changes as a standalone plugin. If you are using real-time-collaboration, refer to the Real-time collaboration features integration guide.

# Before you start

This guide will discuss two ways to integrate CKEditor 5 with your suggestions data source:

The adapter integration is the recommended one because it gives you better control over the data.

It is also recommended to use the track changes plugin together with the comments plugin. Check how to integrate the comments plugin with your WYSIWYG editor.

Before you start creating an integration, there are a few concepts you should be familiar with. This guide will explain how to create a custom build with the track changes plugin, what data structure the suggestions use and what the track changes plugin API looks like.

Make sure that you understand all of these concepts before you proceed with the integration.

Complementary to this guide, we provide ready-to-use samples available for download. You may use these samples as an example or as a starting point for your own integration.

# Activating the feature

To use this premium feature, you need to activate it with proper credentials. Refer to the License key and activation guide for details.

After you have successfully obtained all the credentials needed, let’s create a custom editor and configure it.

# Prepare a custom build

The track changes plugin is not included in any CKEditor 5 build. To enable it, you need to create a custom CKEditor 5 build that includes the track changes plugin.

git clone -b stable https://github.com/ckeditor/ckeditor5
cd ckeditor5/packages/ckeditor5-build-classic

npm install

You need to install the @ckeditor5/ckeditor5-track-changes package using npm:

npm install --save-dev @ckeditor/ckeditor5-track-changes

To make track changes work, you need to import the TrackChanges plugin and add it to the list of plugins.

An updated src/ckeditor.js should look like this:

import { ClassicEditor as ClassicEditorBase } from '@ckeditor/ckeditor5-editor-classic';

import { Bold, Italic } from '@ckeditor/ckeditor5-basic-styles';
import { Essentials } from '@ckeditor/ckeditor5-essentials';
import { Image } from '@ckeditor/ckeditor5-image';
import { Paragraph } from '@ckeditor/ckeditor5-paragraph';

import { Comments } from '@ckeditor/ckeditor5-comments';
import { TrackChanges } from '@ckeditor/ckeditor5-track-changes';

export default class ClassicEditor extends ClassicEditorBase {}

// Plugins to include in the build.
ClassicEditor.builtinPlugins = [ Essentials, Paragraph, Bold, Italic, Image, Comments, TrackChanges ];

// The editor configuration.
ClassicEditor.defaultConfig = {
    language: 'en',

    // Provide the configuration for the comments feature.
    comments: {
        editorConfig: {
            // The list of plugins that will be included in the comments editors.
            extraPlugins: [ Bold, Italic, List, Autoformat ]
        }
    }
};

Note that your custom build needs to be bundled using webpack.

npm run build

Read more about installing plugins.

# Core setup

For completeness’ sake, examples below implement the wide sidebar display mode for suggestion annotations. If you want to use the inline display mode, remove parts of the snippets which set up the sidebar.

When you have the track changes package included in your custom build, prepare an HTML structure for the sidebar. After that you can enable the track changes plugin. Proceed as follows:

  • Set up a two-column layout.
  • Add the sidebar configuration.
  • Add the trackChanges dropdown to the toolbar.
  • Add your licenseKey. If you do not have a key yet, please contact us. If you have already purchased a license, the key can be accessed via the user dashboard.

Edit the sample/index.html file as follows:

<!DOCTYPE html>
<html>
<head>
    <meta charset="utf-8">
    <title>CKEditor&nbsp;5 collaboration with track changes</title>
    <style type="text/css">
     #container {
        /* To create the column layout. */
        display: flex;

        /* To make the container relative to its children. */
        position: relative;
     }

     #container .ck.ck-editor {
        /* To stretch the editor to max 700px
            (just to look nice for this example but it can be any size). */
        width: 100%;
        max-width: 700px;
     }

     #sidebar {
        /* Set some size for the sidebar (it can be any). */
        min-width: 300px;

        /* Add some distance. */
        padding: 0 10px;
     }
    </style>
</head>
<body>

<div id="container">
    <div id="editor"></div>
    <div id="sidebar"></div>
</div>
<script src="../build/ckeditor.js"></script>
<script>
    const initialData =
        `<h2>
            Bilingual Personality Disorder
        </h2>
        <p>
            This may be the first time you hear about this
            <suggestion-start name="insertion:suggestion-1:user-2"></suggestion-start>
             made-up<suggestion-end name="insertion:suggestion-1:user-2"></suggestion-end>
            disorder but it actually is not that far from the truth.
            As recent studies show, the language you speak has more effects on you than you realize.
            According to the studies, the language a person speaks affects their cognition,
            <suggestion-start name="deletion:suggestion-2:user-1"></suggestion-start>
            feelings, <suggestion-end name="deletion:suggestion-2:user-1"></suggestion-end>
            behavior, emotions and hence <strong>their personality</strong>.
        </p>
        <figure class="image image-style-side">
            <img src="../../../assets/img/collaboration-demo-img.jpg" srcset="../../../assets/img/collaboration-demo-img.jpg, ../../../assets/img/collaboration-demo-img_2x.jpg 2x"">
            <figcaption>
                One language, one person.
            </figcaption>
        </figure>
        <p>
            This shouldn’t come as a surprise
            <a href="https://en.wikipedia.org/wiki/Lateralization_of_brain_function">since we already know</a>
            that different regions of the brain become more active depending on the activity.
            The structure, information and especially
            <suggestion-start name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></suggestion-start><strong>the
            culture of languages<suggestion-end name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></strong></suggestion-end>
            varies substantially
            and the language a person speaks is an essential element of daily life.
        </p>`;

    ClassicEditor.create( document.querySelector( '#editor' ), {
        initialData,
        licenseKey: 'your-license-key',
        sidebar: {
            container: document.querySelector( '#sidebar' )
        },
        toolbar: {
            items: [
                'undo', 'redo',
                '|', 'trackChanges', 'comment', 'commentsArchive',
                '|', 'heading',
                '-', 'bold', 'italic',
                '|', 'link',
                '|', 'bulletedList', 'numberedList'
            ],
        shouldNotGroupWhenFull: true
        }
    } )
    .catch( error => console.error( error ) );
</script>

</body>
</html>

When you open the sample in the browser, you should see the WYSIWYG editor with the track changes plugin. However, it still does not load or save any data and the user is not defined so you will get a warning and the user will be defined as “Anonymous” when you try to add any suggestions. You will learn how to add data to the track changes plugin later in this guide.

# Comments

Track changes uses the comments plugin to allow discussion in suggestions. You should be familiar with the comments integration guide before you start integrating suggestions.

# A simple “load and save” integration

In this solution, users and suggestions data is loaded during the editor initialization and suggestions data is saved after you finish working with the editor (for example when you submit the form containing the WYSIWYG editor).

This method is recommended only if you can trust your users or if you provide additional validation of the submitted data to make sure that the user changed their suggestions only.

Complementary to this guide, we provide ready-to-use samples available for download. You may use the samples as an example or as a starting point for your own integration.

The integration below uses the track changes API. Making yourself familiar with the API may help you understand the code snippets. In case of any problems, refer to the track changes API documentation.

# Loading the data

When the track changes plugin is already included in the editor, you need to create a plugin which will initialize users and existing suggestions.

First, dump the users and the suggestions data to a variable that will be available for your plugin.

If your application needs to request the suggestions data from the server asynchronously, instead of putting the data in the HTML source, you can create a plugin that will fetch the data from the database. In this case, your plugin should return a Promise from the Plugin.init method to make sure that the editor initialization waits for your data.

// Application data will be available under a global variable `appData`.
const appData = {
    // Users data.
    users: [
        {
            id: 'user-1',
            name: 'Mex Haddox'
        },
        {
            id: 'user-2',
            name: 'Zee Croce'
        }
    ],

    // The ID of the current user.
    userId: 'user-1',

    // Suggestions data.
    suggestions: [
        {
            id: 'suggestion-1',
            type: 'insertion',
            authorId: 'user-2',
            createdAt: new Date( 2019, 1, 13, 11, 20, 48 ),
            data: null,
            attributes: {}
        },
        {
            id: 'suggestion-2',
            type: 'deletion',
            authorId: 'user-1',
            createdAt: new Date( 2019, 1, 14, 12, 7, 20 ),
            data: null,
            attributes: {}
        },
        {
            id: 'suggestion-3',
            type: 'attribute:bold|ci1tcnk0lkep',
            authorId: 'user-1',
            createdAt: new Date( 2019, 2, 8, 10, 2, 7 ),
            data: {
                key: 'bold',
                oldValue: null,
                newValue: true
            },
            attributes: {
                groupId: 'e29adbb2f3963e522da4d2be03bc5345f'
            }
        }
    ],

    // Editor initial data.
    initialData:
        `<h2>
            Bilingual Personality Disorder
        </h2>
        <p>
            This may be the first time you hear about this
            <suggestion-start name="insertion:suggestion-1:user-2"></suggestion-start>
            made-up<suggestion-end name="insertion:suggestion-1:user-2"></suggestion-end>
            disorder but it actually is not that far from the truth.
            As recent studies show, the language you speak has more effects on you than you realize.
            According to the studies, the language a person speaks affects their cognition,
            <suggestion-start name="deletion:suggestion-2:user-1"></suggestion-start>
            feelings, <suggestion-end name="deletion:suggestion-2:user-1"></suggestion-end>
            behavior, emotions and hence <strong>their personality</strong>.
        </p>
        <p>
            This shouldn’t come as a surprise
            <a href="https://en.wikipedia.org/wiki/Lateralization_of_brain_function">since we already know</a>
            that different regions of the brain become more active depending on the activity.
            The structure, information and especially
            <suggestion-start name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></suggestion-start><strong>the
            culture of languages<suggestion-end name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></strong></suggestion-end>
            varies substantially
            and the language a person speaks is an essential element of daily life.
        </p>`
};

Then, prepare a plugin that will read the data from appData and use the Users and TrackChanges API.

class TrackChangesIntegration {
    constructor( editor ) {
        this.editor = editor;
    }

    init() {
        const usersPlugin = this.editor.plugins.get( 'Users' );
        const trackChangesPlugin = this.editor.plugins.get( 'TrackChanges' );

        // Load the users data.
        for ( const user of appData.users ) {
            usersPlugin.addUser( user );
        }

        // Set the current user.
        usersPlugin.defineMe( appData.userId );

        // Load the suggestions data.
        for ( const suggestion of appData.suggestions ) {
            trackChangesPlugin.addSuggestion( suggestion );
        }

        // In order to load comments added to suggestions, you
        // should also configure the comments integration.
    }
}

Finally, add the plugin in the editor configuration.

ClassicEditor
    .create( document.querySelector( '#editor' ), {
        initialData: appData.initialData,
        extraPlugins: [ TrackChangesIntegration ],
        licenseKey: 'your-license-key',
        sidebar: {
            container: document.querySelector( '#sidebar' )
        },
        toolbar: {
            items: [
                'undo', 'redo',
                '|', 'trackChanges', 'comment', 'commentsArchive',
                '|', 'heading',
                '-', 'bold', 'italic',
                '|', 'link',
                '|', 'bulletedList', 'numberedList'
            ],
        shouldNotGroupWhenFull: true
        }
    } )
    .catch( error => console.error( error ) );

# Saving the data

To save the suggestions data you need to get it from the TrackChanges API first. To do this, use the getSuggestions() method.

Then, use the suggestions data to save it in your database in the way you prefer. See the example below.

ClassicEditor
    .create( document.querySelector( '#editor' ), {
        initialData: appData.initialData,
        extraPlugins: [ TrackChangesIntegration ],
        licenseKey: 'your-license-key',
        sidebar: {
            container: document.querySelector( '#sidebar' )
        },
        toolbar: {
            items: [
                'undo', 'redo',
                '|', 'trackChanges', 'comment', 'commentsArchive',
                '|', 'heading',
                '-', 'bold', 'italic',
                '|', 'link',
                '|', 'bulletedList', 'numberedList'
            ],
            shouldNotGroupWhenFull: true
        }
    } )
    .then( editor => {
        // After the editor is initialized, add an action to be performed after a button is clicked.
        const trackChanges = editor.plugins.get( 'TrackChanges' );

        // Get the data on demand.
        document.querySelector( '#get-data' ).addEventListener( 'click', () => {
            const editorData = editor.data.get();
            const suggestionsData = trackChanges.getSuggestions( {
                skipNotAttached: true,
                toJSON: true
            } );

            // Now, use `editorData` and `suggestionsData` to save the data in your application.
            // For example, you can set them as values of hidden input fields.
            console.log( editorData );
            console.log( suggestionsData );
        } );
    } )
    .catch( error => console.error( error ) );

It is recommended to stringify the attributes value to JSON and to save it as a string in your database and then to parse the value from JSON when loading suggestions.

# Full implementation

Below you can find the final solution.

<!DOCTYPE html>
<html>
    <head>
        <meta charset="utf-8">
        <title>CKEditor&nbsp;5 collaboration with track changes</title>
        <style type="text/css">
         #container {
            /* To create the column layout. */
            display: flex;

            /* To make the container relative to its children. */
            position: relative;
         }

         #container .ck.ck-editor {
            /* To stretch the editor to max 700px
                (just to look nice for this example but it can be any size). */
            width: 100%;
            max-width: 700px;
         }

         #sidebar {
            /* Set some size for the sidebar (it can be any). */
            min-width: 300px;

            /* Add some distance. */
            padding: 0 10px;
         }
        </style>
    </head>
    <body>
        <button id="get-data">Get editor data</button>

        <div id="container">
            <div id="editor"> </div>
            <div id="sidebar"></div>
        </div>
    </body>
    <script src="../build/ckeditor.js"></script>
    <script>
        // Application data will be available under a global variable `appData`.
        const appData = {
            // Users data.
            users: [
                {
                    id: 'user-1',
                    name: 'Mex Haddox'
                },
                {
                    id: 'user-2',
                    name: 'Zee Croce'
                }
            ],

            // The ID of the current user.
            userId: 'user-1',

            // Suggestions data.
            suggestions: [
                {
                    id: 'suggestion-1',
                    type: 'insertion',
                    authorId: 'user-2',
                    createdAt: new Date( 2019, 1, 13, 11, 20, 48 ),
                    data: null,
                    attributes: {}
                },
                {
                    id: 'suggestion-2',
                    type: 'deletion',
                    authorId: 'user-1',
                    createdAt: new Date( 2019, 1, 14, 12, 7, 20 ),
                    data: null,
                    attributes: {}
                },
                {
                    id: 'suggestion-3',
                    type: 'attribute:bold|ci1tcnk0lkep',
                    authorId: 'user-1',
                    createdAt: new Date( 2019, 2, 8, 10, 2, 7 ),
                    data: {
                        key: 'bold',
                        oldValue: null,
                        newValue: true
                    },
                    attributes: {
                        groupId: 'e29adbb2f3963e522da4d2be03bc5345f'
                    }
                }
            ],

            // Editor initial data.
            initialData:
                `<h2>
                    Bilingual Personality Disorder
                </h2>
                <p>
                    This may be the first time you hear about this
                    <suggestion-start name="insertion:suggestion-1:user-2"></suggestion-start>
                    made-up<suggestion-end name="insertion:suggestion-1:user-2"></suggestion-end>
                    disorder but it actually is not that far from the truth.
                    As recent studies show, the language you speak has more effects on you than you realize.
                    According to the studies, the language a person speaks affects their cognition,
                    <suggestion-start name="deletion:suggestion-2:user-1"></suggestion-start>
                    feelings, <suggestion-end name="deletion:suggestion-2:user-1"></suggestion-end>
                    behavior, emotions and hence <strong>their personality</strong>.
                </p>
                <p>
                    This shouldn’t come as a surprise
                    <a href="https://en.wikipedia.org/wiki/Lateralization_of_brain_function">since we already know</a>
                    that different regions of the brain become more active depending on the activity.
                    The structure, information and especially
                    <suggestion-start name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></suggestion-start><strong>the
                    culture of languages<suggestion-end name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></strong></suggestion-end>
                    varies substantially
                    and the language a person speaks is an essential element of daily life.
                </p>`
        };

        class TrackChangesIntegration {
            constructor( editor ) {
                this.editor = editor;
            }

            init() {
                const usersPlugin = this.editor.plugins.get( 'Users' );
                const trackChangesPlugin = this.editor.plugins.get( 'TrackChanges' );

                // Load the users data.
                for ( const user of appData.users ) {
                    usersPlugin.addUser( user );
                }

                // Set the current user.
                usersPlugin.defineMe( appData.userId );

                // Load the suggestions data.
                for ( const suggestion of appData.suggestions ) {
                    trackChangesPlugin.addSuggestion( suggestion );
                }

                // In order to load comments added to suggestions, you
                // should also configure the comments integration.
            }
        }

        ClassicEditor
            .create( document.querySelector( '#editor' ), {
                initialData: appData.initialData,
                extraPlugins: [ TrackChangesIntegration ],
                licenseKey: 'your-license-key',
                sidebar: {
                    container: document.querySelector( '#sidebar' )
                },
                toolbar: {
                    items: [
                        'undo', 'redo',
                        '|', 'trackChanges', 'comment', 'commentsArchive',
                        '|', 'heading',
                        '-', 'bold', 'italic',
                        '|', 'link',
                        '|', 'bulletedList', 'numberedList'
                    ],
                    shouldNotGroupWhenFull: true
                }
            } )
            .then( editor => {
                // After the editor is initialized, add an action
                // to be performed after a button is clicked.
                const trackChanges = editor.plugins.get( 'TrackChanges' );

                // Get the data on demand.
                document.querySelector( '#get-data' ).addEventListener( 'click', () => {
                    const editorData = editor.data.get();
                    const suggestionsData = trackChanges.getSuggestions( {
                        skipNotAttached: true,
                        toJSON: true
                    } );

                    // Now, use `editorData` and `suggestionsData` to save the data in your application.
                    // For example, you can set them as values of hidden input fields.
                    console.log( editorData );
                    console.log( suggestionsData );
                } );
            } )
            .catch( error => console.error( error ) );
    </script>
</html>

Note that this sample does not handle comments saving and loading. Check the comments integration guide to learn how to build a complete solution. Also note that both snippets define the same list of users. Make sure to deduplicate this code and define the list of users only once to avoid errors.

# Demo

Console

// Use the `Save data with track changes` button to see the result...

# Adapter integration

Adapter integration uses an adapter object – provided by you – to immediately save suggestions in your data store. This is the recommended way of integrating track changes with your application because it lets you handle the client-server communication more securely. For example, you can check user permissions, validate sent data, or update the data with information obtained on the server side, like the suggestion creation date. You will see how to handle the server response in the following steps.

Complementary to this guide, we provide ready-to-use samples available for download. You may use the samples as an example or as a starting point for your own integration.

# Implementation

First, define the adapter using the TrackChanges#adapter setter. Adapter methods allow you to load and save changes in your database.

On the UI side each change in suggestions is performed immediately, however, all adapter actions are asynchronous and are performed in the background. Because of this all adapter methods need to return a Promise. When the promise is resolved, it means that everything went fine and a local change was successfully saved in the data store. When the promise is rejected, the editor throws a CKEditorError error, which works nicely together with the watchdog feature. When you handle the server response you can decide if the promise should be resolved or rejected.

While the adapter is saving the suggestion data, a pending action is automatically added to the editor PendingActions plugin, so you do not have to worry that the editor will be destroyed before the adapter action has finished.

Note, that it is critical to properly handle the suggestionData.originalSuggestionId property when saving suggestions with the TrackChangesAdapter#addSuggestion() method. Otherwise, the suggestions data will be incorrect and this can lead to errors in certain scenarios.

The suggestionData.originalSuggestionId property should be used when saving a suggestion to set the correct suggestion author. Consider the following example:

  • User A creates an insertion suggestion.
  • Then, User B starts typing inside that suggestion with track changes mode off.
  • In this case, the original suggestion gets split into two parts, creating a new suggestion.
  • Although the new suggestion is created by User B, the real author is User A.
  • When the new suggestion is sent to the database, it should be saved with the correct author id (User A in this case).
  • The author should be taken from the original suggestion (using originalSuggestionId).

Now you are ready to implement the adapter.

// Application data will be available under a global variable `appData`.
const appData = {
    // Users data.
    users: [
        {
            id: 'user-1',
            name: 'Mex Haddox'
        },
        {
            id: 'user-2',
            name: 'Zee Croce'
        }
    ],

    // The ID of the current user.
    userId: 'user-1',

    // Editor initial data.
    initialData:
        `<h2>
            Bilingual Personality Disorder
        </h2>
        <p>
            This may be the first time you hear about this
            <suggestion-start name="insertion:suggestion-1:user-2"></suggestion-start>
            made-up<suggestion-end name="insertion:suggestion-1:user-2"></suggestion-end>
            disorder but it actually is not that far from the truth.
            As recent studies show, the language you speak has more effects on you than you realize.
            According to the studies, the language a person speaks affects their cognition,
            <suggestion-start name="deletion:suggestion-2:user-1"></suggestion-start>
            feelings, <suggestion-end name="deletion:suggestion-2:user-1"></suggestion-end>
            behavior, emotions and hence <strong>their personality</strong>.
        </p>
        <p>
            This shouldn’t come as a surprise
            <a href="https://en.wikipedia.org/wiki/Lateralization_of_brain_function">since we already know</a>
            that different regions of the brain become more active depending on the activity.
            The structure, information and especially
            <suggestion-start name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></suggestion-start><strong>the
            culture of languages<suggestion-end name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></strong></suggestion-end>
            varies substantially
            and the language a person speaks is an essential element of daily life.
        </p>`
};

class TrackChangesAdapter {
    constructor( editor ) {
        this.editor = editor;
    }

    init() {
        const usersPlugin = this.editor.plugins.get( 'Users' );
        const trackChangesPlugin = this.editor.plugins.get( 'TrackChanges' );

        // Load the users data.
        for ( const user of appData.users ) {
            usersPlugin.addUser( user );
        }

        // Set the current user.
        usersPlugin.defineMe( appData.userId );

        // Set the adapter to the `TrackChanges#adapter` property.
        trackChangesPlugin.adapter = {
            getSuggestion: suggestionId => {
                console.log( 'Getting suggestion', suggestionId );

                // Write a request to your database here.
                // The returned `Promise` should be resolved with the suggestion
                // data object when the request has finished.
                switch ( suggestionId ) {
                    case 'suggestion-1':
                        return Promise.resolve( {
                            id: suggestionId,
                            type: 'insertion',
                            authorId: 'user-2',
                            createdAt: new Date(),
                            data: null,
                            attributes: {}
                        } );
                    case 'suggestion-2':
                        return Promise.resolve( {
                            id: suggestionId,
                            type: 'deletion',
                            authorId: 'user-1',
                            createdAt: new Date(),
                            data: null,
                            attributes: {}
                        } );
                    case 'suggestion-3':
                        return Promise.resolve( {
                            id: 'suggestion-3',
                            type: 'attribute:bold|ci1tcnk0lkep',
                            authorId: 'user-1',
                            createdAt: new Date( 2019, 2, 8, 10, 2, 7 ),
                            data: {
                                key: 'bold',
                                oldValue: null,
                                newValue: true
                            },
                            attributes: {
                                groupId: 'e29adbb2f3963e522da4d2be03bc5345f'
                            }
                        } );
                }
            },

            addSuggestion: suggestionData => {
                console.log( 'Suggestion added', suggestionData );

                // Write a request to your database here.
                // The returned `Promise` should be resolved when the request
                // has finished. When the promise resolves with the suggestion data
                // object, it will update the editor suggestion using the provided data.
                return Promise.resolve( {
                    createdAt: new Date()       // Should be set on the server side.
                } );
            },

            updateSuggestion: ( id, suggestionData ) => {
                console.log( 'Suggestion updated', id, suggestionData );

                // Write a request to your database here.
                // The returned `Promise` should be resolved when the request
                // has finished.
                return Promise.resolve();
            }
        };

        // In order to load comments added to suggestions, you
        // should also integrate the comments adapter.
    }
}

ClassicEditor
    .create( document.querySelector( '#editor' ), {
        initialData: appData.initialData,
        extraPlugins: [ TrackChangesAdapter ],
        licenseKey: 'your-license-key',
        sidebar: {
            container: document.querySelector( '#sidebar' )
        },
        toolbar: {
            items: [
                'undo', 'redo',
                '|', 'trackChanges', 'comment', 'commentsArchive',
                '|', 'heading',
                '-', 'bold', 'italic',
                '|', 'link',
                '|', 'bulletedList', 'numberedList'
            ],
            shouldNotGroupWhenFull: true
        }
    } )
    .catch( error => console.error( error ) );

It is recommended to stringify the attributes value to JSON and to save it as a string in your database and then to parse the value from JSON when loading suggestions.

The adapter is now ready to use with your rich text editor.

Below is the final solution.

<!DOCTYPE html>
<html>
    <head>
        <meta charset="utf-8">
        <title>CKEditor&nbsp;5 Collaboration with track changes</title>
        <style type="text/css">
         #container {
            /* To create the column layout. */
            display: flex;

            /* To make the container relative to its children. */
            position: relative;
         }

         #container .ck.ck-editor {
            /* To stretch the editor to max 700px
                (just to look nice for this example but it can be any size). */
            width: 100%;
            max-width: 700px;
         }

         #sidebar {
            /* Set some size for the sidebar (it can be any). */
            min-width: 300px;

            /* Add some distance. */
            padding: 0 10px;
         }
        </style>
    </head>
    <body>
        <div id="container">
            <div id="editor"></div>
            <div id="sidebar"></div>
        </div>
    </body>
    <script src="../build/ckeditor.js"></script>
    <script>
        // Application data will be available under a global variable `appData`.
        const appData = {
            // Users data.
            users: [
                {
                    id: 'user-1',
                    name: 'Mex Haddox'
                },
                {
                    id: 'user-2',
                    name: 'Zee Croce'
                }
            ],

            // The ID of the current user.
            userId: 'user-1',

            // Editor initial data.
            initialData:
                `<h2>
                    Bilingual Personality Disorder
                </h2>
                <p>
                    This may be the first time you hear about this
                    <suggestion-start name="insertion:suggestion-1:user-2"></suggestion-start>
                    made-up<suggestion-end name="insertion:suggestion-1:user-2"></suggestion-end>
                    disorder but it actually is not that far from the truth.
                    As recent studies show, the language you speak has more effects on you than you realize.
                    According to the studies, the language a person speaks affects their cognition,
                    <suggestion-start name="deletion:suggestion-2:user-1"></suggestion-start>
                    feelings, <suggestion-end name="deletion:suggestion-2:user-1"></suggestion-end>
                    behavior, emotions and hence <strong>their personality</strong>.
                </p>
                <p>
                    This shouldn’t come as a surprise
                    <a href="https://en.wikipedia.org/wiki/Lateralization_of_brain_function">since we already know</a>
                    that different regions of the brain become more active depending on the activity.
                    The structure, information and especially
                    <suggestion-start name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></suggestion-start><strong>the
                    culture of languages<suggestion-end name="attribute:bold|ci1tcnk0lkep:suggestion-3:user-1"></strong></suggestion-end>
                    varies substantially
                    and the language a person speaks is an essential element of daily life.
                </p>`
        };

        class TrackChangesAdapter {
            constructor( editor ) {
                this.editor = editor;
            }

            init() {
                const usersPlugin = this.editor.plugins.get( 'Users' );
                const trackChangesPlugin = this.editor.plugins.get( 'TrackChanges' );

                // Load the users data.
                for ( const user of appData.users ) {
                    usersPlugin.addUser( user );
                }

                // Set the current user.
                usersPlugin.defineMe( appData.userId );

                // Set the adapter to the `TrackChanges#adapter` property.
                trackChangesPlugin.adapter = {
                    getSuggestion: suggestionId => {
                        console.log( 'Getting suggestion', suggestionId );

                        // Write a request to your database here.
                        // The returned `Promise` should be resolved with the suggestion
                        // data object when the request has finished.
                        switch ( suggestionId ) {
                            case 'suggestion-1':
                                return Promise.resolve( {
                                    id: suggestionId,
                                    type: 'insertion',
                                    authorId: 'user-2',
                                    createdAt: new Date(),
                                    data: null,
                                    attributes: {}
                                } );
                            case 'suggestion-2':
                                return Promise.resolve( {
                                    id: suggestionId,
                                    type: 'deletion',
                                    authorId: 'user-1',
                                    createdAt: new Date(),
                                    data: null,
                                    attributes: {}
                                } );
                            case 'suggestion-3':
                                return Promise.resolve( {
                                    id: 'suggestion-3',
                                    type: 'attribute:bold|ci1tcnk0lkep',
                                    authorId: 'user-1',
                                    createdAt: new Date( 2019, 2, 8, 10, 2, 7 ),
                                    data: {
                                        key: 'bold',
                                        oldValue: null,
                                        newValue: true
                                    },
                                    attributes: {
                                        groupId: 'e29adbb2f3963e522da4d2be03bc5345f'
                                    }
                                } );
                        }
                    },

                    addSuggestion: suggestionData => {
                        console.log( 'Suggestion added', suggestionData );

                        // Write a request to your database here.
                        // The returned `Promise` should be resolved with the suggestion
                        // data object when the request has finished.
                        return Promise.resolve( {
                            createdAt: new Date()       // Should be set on the server side.
                        } );
                    },

                    updateSuggestion: ( id, suggestionData ) => {
                        console.log( 'Suggestion updated', id, suggestionData );

                        // Write a request to your database here.
                        // The returned `Promise` should be resolved when the request
                        // has finished.
                        return Promise.resolve();
                    }
                };

                // In order to load comments added to suggestions, you
                // should also integrate the comments adapter.
            }
        }

        ClassicEditor
            .create( document.querySelector( '#editor' ), {
                initialData: appData.initialData,
                extraPlugins: [ TrackChangesAdapter ],
                licenseKey: 'your-license-key',
                sidebar: {
                    container: document.querySelector( '#sidebar' )
                },
                toolbar: {
                    items: [
                        'undo', 'redo',
                        '|', 'trackChanges', 'comment', 'commentsArchive',
                        '|', 'heading',
                        '-', 'bold', 'italic',
                        '|', 'link',
                        '|', 'bulletedList', 'numberedList'
                    ],
                    shouldNotGroupWhenFull: true
                }
            } )
            .catch( error => console.error( error ) );
    </script>
</html>

Note that this sample does not contain the comments adapter. Check the comments integration guide to learn how to build a complete solution. Also note that both snippets define the same list of users. Make sure to deduplicate this code and define the list of users only once to avoid errors.

# Demo

Pending adapter actions console

// Add a suggestion to see the result...

Since the track changes adapter saves suggestions immediately after they are performed, it is also recommended to use the Autosave plugin to save the editor content after each change.

# Why is there no event when I accept or discard a suggestion?

Note that when you discard or accept a suggestion, no event is fired in the adapter. This is because the suggestion is never removed from the editor during the editing session. You are able to restore it using undo (Cmd+Z or Ctrl+Z). The same happens when you remove a paragraph with suggestions – there will be no event fired because no data is really removed.

However, to make sure that you do not keep outdated suggestions in your database, you should do a cleanup when the editor is destroyed or closed. You can compare the suggestions stored in the editor data with the suggestions stored in your database and remove all the suggestions that are no longer in the editor data from your database.

# PHP integration example

Please refer to the Collaboration integration examples for CKEditor 5 repository to find a working end-to-end integration example of collaboration features in a PHP application. Note that it includes both comments and track changes adapters working together.