Skip to main content Link Menu Expand (external link) Document Search Copy Copied

Use Lifecycle Events for Setup and Teardown

by @excid3 excid3

Lifecycle events provide the perfect mechanism to make third-party Javascript libraries compatible with Turbo

Bad

import EasyMDE from "easymde"

let editors = [];

document.addEventListener("turbo:load", function() {
  document.querySelectorAll(".easymde").forEach(function(element) {
    let editor = new EasyMDE({ element })
    editors.push(editor)
  })
});

document.addEventListener("turbo:before-cache", function() {
  editors.forEach(function(editor) {
    editor.toTextArea()
  }
});

Good

<div data-controller="easymde" data-target="easymde.field">...</div>
import EasyMDE from "easymde"

export default class extends Controller {
  static targets = [ "field" ]

  connect() {
    this.editor = new EasyMDE({
      element: this.fieldTarget,
    })
  }

  disconnect() {
    this.editor.toTextArea()
  }
}

Rationale

Using Stimulus lifecycle events allows you to make most Javascript libraries compatible with Turbo without additional effort. You can use the connect lifecycle event to setup the instance and the disconnect event to teardown.

Stimulus creates separate instances automatically which also saves you from maintaining an array of active instances that need to be torn down later.

Each instance can pull its own unique configuration from data attributes from the Stimulus controller to make each instance separately configurable.

Contraindications

Not all Javascript libraries have good teardown methods to remove their functionality from the page.

Codesandbox Example