Integrate snapshots

Document history records every change to your content so you can roll back mistakes, audit edits, or branch a new draft from any point.

This page walks you through installation, configuration, and common tasks for the History extension.

Public Demo

The editor content is shared across all demo visitors.

Access the Pro registry

The Version History extension is published in Tiptap’s private npm registry. Integrate the extension by following the private registry guide. If you already authenticated your Tiptap account you can go straight to #Install.

Install


npm install @tiptap-pro/extension-snapshot @hocuspocus/transformer

Note: The @hocuspocus/transformer package is required for transforming Y.js binary into Tiptap JSON. It also requires Y.js installed for collaboration. If you don't have it installed, run npm install yjs in your project. This should happen automatically if you use NPM (as it automatically resolves peer dependencies).

Settings

SettingTypeDefault
providerTiptapCollabProvidernull
onUpdatefunction() => {}

Autoversioning

The autoversioning feature automatically creates new versions of your document at regular intervals. This ensures that you have a comprehensive change history without manual intervention.

You can enable this feature using the enableAutoVersioning command (default: disabled).

When you enable autoversioning, Tiptap creates new versions at regular intervals (30 seconds by default, only if the document has changed). This can create many versions, so you may want to increase the interval. To customize the interval, you can do the following:

// Set the interval (in seconds) between autoversions
provider.setAutoVersioningInterval(900)
provider.enableAutoVersioning()
provider.disableAutoVersioning()

Revert to a version

When you revert to a previous version:

  1. If there are unsaved changes, Tiptap automatically creates a version to preserve those changes.
  2. Tiptap creates a new version at the top of the history with the content from the version you select.
  3. All users can continue working from this new version.

Note that reverting only affects the default fragment in the ydoc. When you revert the Tiptap content, the comments don't change (unless you specify a different field in the TiptapCollabProvider).

You can integrate the compare snapshots extension to highlight differences between versions, ensuring you choose the right version to restore.

Storage

KeyTypeDescription
currentVersionnumberThe current version.
lastSavedDateThe last saved timestamp
latestVersionnumberThe latest version.
providerTiptapCollabProviderThe Collaboration provider instance
statusstringThe status of the provider - can be connecting, connected or disconnected
syncedbooleanIs the version history synced with the server
versioningEnabledbooleanIs versioning enabled
versionsarray<Version>The array of versions that are stored in the history. Each version has version (number), date (number), name (optional string), and meta (optional object). See automatic version metadata for details on the meta field.

Commands

CommandDescription
saveVersionCreates a new version with an optional name, force flag, and metadata
fetchVersionsFetches the list of versions from the server and updates the storage
enableVersioningEnables autoversioning for this document
disableVersioningDisables autoversioning for this document
revertToVersionRevert to a specific version, can create a new revert version with optional title

Examples

Basic setup

const provider = new TiptapCollabProvider({
  // ...
})

const editor = new Editor({
  // ...
  extensions: [
    // ...
    Snapshot.configure({
      provider,
    }),
  ],
})

Store version updates

In this example we retrieve the data of a version update and save it into a variable

let currentVersion = 0
let latestVersion = 0
let autoversioningEnabled = false
let versions = []

const provider = new TiptapCollabProvider({
  // ...
})

const editor = new Editor({
  // ...
  extensions: [
    // ...
    Snapshot.configure({
      provider,
      onUpdate(payload) {
        currentVersion = payload.currentVersion
        latestVersion = payload.version
        versions = payload.versions
        autoversioningEnabled = payload.versioningEnabled
      },
    }),
  ],
})

Access version data directly from storage

const provider = new TiptapCollabProvider({
  // ...
})

const editor = new Editor({
  // ...
  extensions: [
    // ...
    Snapshot.configure({
      provider,
    }),
  ],
})

const latestVersion = editor.storage.snapshot.latestVersion
const currentVersion = editor.storage.snapshot.currentVersion
const versions = editor.storage.snapshot.versions
const autoversioningEnabled = editor.storage.snapshot.versioningEnabled

Create a new version manually

editor.commands.saveVersion('My new custom version')

Create a version with metadata

You can attach arbitrary metadata to a version. This is useful for storing additional context like the author, tags, or any custom data.

editor.commands.saveVersion('Release v1.0', false, {
  author: 'Jane Doe',
  tags: ['release', 'stable'],
})

The saveVersion command accepts three parameters:

ParameterTypeDefaultDescription
namestringundefinedAn optional name for the version
forcebooleanfalseCreate the version even if no changes were detected
metaRecord<string, unknown>undefinedArbitrary metadata to attach to the version

Automatic version metadata

Every version automatically includes a __tiptap key inside the meta object. This metadata is added by the server and provides context about how the version was created and who contributed to it.

A version's meta field looks like this:

{
  "__tiptap": {
    "trigger": "websocket",
    "changesBy": ["#user1"],
    "triggeredBy": "user1"
  },
  "wordCount": 81624434
}

The __tiptap object contains the following fields:

FieldTypeDescription
triggerstringHow the version was created. Possible values: "websocket" (via the editor/provider), "api" (via the REST API), "autoVersioning" (created automatically by the autoversioning feature), or "revert" (created when reverting to a previous version).
changesBystring[]A list of user identifiers who made changes included in this version.
triggeredBystringThe user identifier of the person who triggered the version creation.

Any custom metadata you pass to saveVersion or the REST API is stored alongside the __tiptap key at the top level of meta. The __tiptap key is reserved and cannot be overwritten by custom metadata.

Fetch versions from the server

You can manually refresh the list of versions from the server using the fetchVersions command. This updates the extension storage with the latest version data.

editor.commands.fetchVersions()

Enable autoversioning on document

editor.commands.enableVersioning()

Disable autoversioning on document

editor.commands.disableVersioning()

Revert with version ID

editor.commands.revertToVersion(4)

Revert with version ID with custom name

In this example, the editor command helps you go back to version 4. When you use this command, it takes you back to how things were in version 4, and it also saves this old version as a new version called 'Revert to version'. This way, you can continue working from version 4, but it's now saved as the latest version.

editor.commands.revertToVersion(4, 'Revert to version')

Revert, name, and back up

In this example, when you revert to version 4 of your document, the editor automatically creates two new versions. The first new version captures and saves your document’s state just before reverting, serving as a backup. The second new version restores the document to version 4, allowing you to continue from here as your new starting point.

editor.commands.revertToVersion(4, 'Revert to version', 'Unversioned changes before revert')

Using provider-level version methods

The TiptapCollabProvider exposes methods for working with versions directly, without the Snapshot extension.

List versions

Fetch the full list of versions from the server:

const versions = await provider.listVersions()
// versions: Array<{ version: number, date: number, name?: string, meta?: Record<string, unknown> }>

Get cached versions

Get the locally cached list of versions (no server request):

const versions = provider.getVersions()

Watch for version changes

Subscribe to version list updates using callbacks:

const onVersionsChange = (versions) => {
  console.log('Versions updated:', versions)
}

// Start watching
provider.watchVersions(onVersionsChange)

// Stop watching
provider.unwatchVersions(onVersionsChange)

Create a version with metadata

provider.createVersion('My version', false, {
  author: 'Jane Doe',
  tags: ['draft'],
})

Implementing version previews for your editor

The examples above directly modify the document and do not provide local-only previews of the version. Therefore, you must create your own frontend solution for this requirement. You can use the previewVersion method on the TiptapCollabProvider to request a specific version from the server.

Start by attaching a listener to the provider:

// Import the getPreviewContentFromVersionPayload helper function (refer to details below)
import { watchPreviewContent } from '@tiptap-pro/extension-snapshot'

// Configure the provider
const provider = new TiptapCollabProvider({ ... })

// Use the watchPreviewContent util function to watch for content changes on the provider
const unbindWatchContent = watchPreviewContent(provider, content => {
  // set your editors content
  editor.commands.setContent(content)
})

If you want to unbind the watcher, you can call the returned unbindWatchContent function like this:

const unbindWatchContent = watchPreviewContent(provider, (content) => {
  // set your editors content
  editor.commands.setContent(content)
})

// unwatch
unbindWatchContent()

Following this setup, you can trigger version.preview requests like so:

// Request a specific version preview from the server
provider.previewVersion(1)

// You can link this to button clicks or other UI elements to trigger the request.

To go beyond previews and compare different versions visually, the compare snapshots extension provides an easy way to see the changes between any two versions within the editor.

Utility functions

getPreviewContentFromVersionPayload

This function turns the payload from the Collaboration provider into Tiptap JSON content.

ArgumentDescription
payloadThe Hocuspocus payload for the version preview event
fieldThe field you want to parse. Default: default
const myContent = getPreviewContentFromVersionPayload(payload, 'default')

watchPreviewContent

This function sets up a watcher on your provider that watches the necessary events to react to version content changes. It also returns a new function that you can use to unwatch those events.

ArgumentDescription
providerThe Collaboration provider
callbackThe callback function that is called, the argument is the Tiptap JSON content
fieldThe watched field - defaults to default
const unwatchContent = watchPreviewContent(provider, editor.commands.setContent, 'default')

// unwatch the version preview content
unwatchContent()

Possible provider payloads

Here is a list of payloads that can be sent or received from the provider:

Outgoing

document.revert

Request a document revert to a given version with optional title settings.

provider.revertToVersion(1, {
  currentVersionName: 'Before reverting to version 1',
  newVersionName: 'Revert to version 1',
})

version.create

Creates a new version with an optional name and metadata.

provider.createVersion('My custom version', false, { author: 'Jane Doe' })

versions.list

Requests the full list of versions from the server.

const versions = await provider.listVersions()

Incoming

version.created

This stateless message includes information about newly created versions, including any metadata that was attached.

provider.on('stateless', (data) => {
  const payload = JSON.parse(data.payload)

  if (payload.event === 'version.created') {
    const latestVersion = payload.version
    const name = payload.name // optional version name
    const date = payload.date // creation timestamp
    const meta = payload.meta // optional metadata object
  }
})

versions.list

The listVersions method returns the full list of versions. Each version includes version, date, and optional name and meta fields.

const versions = await provider.listVersions()
// versions is an array of { version: number, date: number, name?: string, meta?: object }

document.reverted

This stateless message includes information about a document revert.

provider.on('stateless', (data) => {
  const payload = JSON.parse(data.payload)

  if (payload.event === 'document.reverted') {
    const currentVersion = payload.version
  }
})