TurboBoost Commands enhance the reactive programming model for Rails/Hotwire applications.
- Why TurboBoost Commands?
- Sponsors
- Dependencies
- Setup
- Configuration
- Usage
- State
- Community
- Developing
- Deploying
- Releasing
- About TurboBoost
- License
Commands help you build robust reactive applications with Rails & Hotwire. They allow you to declaratively specify server methods that will execute whenever client side events are triggered by users.
TurboBoost Commands work with Hotwire's Turbo Frames. They also work independent of frames.
Commands let you sprinkle ✨ in reactive functionality and skip the ceremony of the typical REST semantics imposed by Rails conventions and Turbo Frames i.e. boilerplate (routes, controllers, actions, etc...).
Commands are great for features adjacent to traditional RESTful resources. Things like making selections, toggling switches, adding filters, etc... Basically for any feature where you've been tempted to create a non-RESTful action in a controller.
Commands improve the developer experience (DX) of creating modern reactive applications. They share the same mental model as React and other client side frameworks. Namely,
- Trigger an event
- Change state
- (Re)render to reflect the new state
- repeat...
Commands are executed via a Rails before_action
which means that reactivity runs over HTTP.
Web sockets are NOT used for the reactive critical path! 🎉
This also means that standard Rails mechanics drive their behavior.
Commands can be tested in isolation as well as with standard Rails controller, integration, and system tests.
Please consider a one-time donation to ensure the continued growth and maintenance of this project. Your contribution will help drive the evolution of TurboBoost, enabling new features, enhancements, and bug fixes that benefit the entire community.
Tip
Every contribution makes a difference, no matter the amount.
You will receive a receipt for your financial records and accounting purposes.
Proudly sponsored by
- rails
>= 6.1
- turbo-rails
>= 1.1
- @hotwired/turbo-rails
>= 7.2
- turbo_boost-streams
>= 0.1.10
- @turbo-boost/streams
>= 0.1.10
Complete the steps below, or use this RailsByte:
rails app:template LOCATION='https://railsbytes.com/script/xkjsbB'
-
Add TurboBoost Commands dependencies
# Gemfile gem "turbo-rails", ">= 1.1", "< 2" +gem "turbo_boost-commands", "~> VERSION"
# package.json "dependencies": { "@hotwired/turbo-rails": ">=7.2", + "@turbo-boost/commands": "^VERSION"
Be sure to install the same version of the Ruby and JavaScript libraries.
-
Import TurboBoost Commands in your JavaScript app
# app/javascript/application.js import '@hotwired/turbo-rails' +import '@turbo-boost/commands'
TurboBoost Commands can be configured via Rails initializer.
# config/initializers/turbo_boost_commands.rb
TurboBoost::Commands.config.tap do |config|
# opt-[in/out] of alerting on abort (true, *false, "development", "test", "production")
config.alert_on_abort = "development"
# opt-[in/out] of alerting on error (true, *false, "development", "test", "production")
config.alert_on_error = "development"
# opt-[in/out] of precompiling TurboBoost assets (*true, false)
config.precompile_assets = true
# opt-[in/out] of forgery protection (*true, false)
config.protect_from_forgery = true
# opt-[in/out] of raising an error when an invalid command is invoked (true, false, *"development", "test", "production")
config.raise_on_invalid_command = "development"
# opt-[in/out] of state resolution (true, *false)
config.resolve_state = true
# opt-[in/out] of verifying the client browser (*true, false)
config.verify_client = true
end
This example illustrates how to use TurboBoost Commands to manage upvotes on a Post.
-
Trigger an event - register an element to listen for client side events that trigger server side commands
<!-- app/views/posts/show.html.erb --> <%= turbo_frame_tag dom_id(@post) do %> <a href="#" data-turbo-command="PostCommand#upvote">Upvote</a> Upvote Count: <%= @post.votes %> <% end %>
-
Change state - create a server side command that modifies state
# app/commands/post_command.rb class PostCommand < TurboBoost::Commands::Command def upvote Post.find(controller.params[:id]).increment! :votes end end
-
(Re)render to reflect the new state - normal Rails / Turbo Frame behavior runs and (re)renders the frame
TurboBoost Commands use event delegation to capture client side events that invoke server side commands.
Here is the list of default event delegates (DOM event name + CSS selectors) that TurboBoost Commands monitors.
change
-input[data-turbo-command],select[data-turbo-command],textarea[data-turbo-command]
submit
-form[data-turbo-command]
click
-[data-turbo-command]
Note that the list of event delegates is ordinal. Matches are identified by scanning the list of delegates top to bottom (first match wins).
It's possible to override the default event delegates. Just note that registered events are required to bubble up through the DOM tree.
IMPORTANT: New entries and overrides are prepended to the list of delegates and will match before defaults.
// restrict `click` monitoring to <a> and <button> elements
TurboBoost.Commands.registerEventDelegate('click', [
'a[data-turbo-command]',
'button[data-turbo-command]'
])
// append selectors to the `change` event
const delegate = TurboBoost.Commands.eventDelegates.find(
e => e.name === 'change'
)
const selectors = [...delegate.selectors, '.example[data-turbo-command]']
TurboBoost.Commands.registerEventDelegate('change', selectors)
You can also register custom events and elements.
Here's an example that sets up monitoring for the sl-change
event on the sl-switch
element from the Shoelace web component library.
TurboBoost.Commands.registerEventDelegate('sl-change', [
'sl-switch[data-turbo-command]'
])
TurboBoost Commands support the following lifecycle events.
turbo-boost:command:start
- fires before the command is sent to the serverturbo-boost:command:finish
- fires after the server has executed the command and respondedturbo-boost:command:error
- fires if an unexpected error occurs
TurboBoost Commands target the closest
<turbo-frame>
element by default,
but you can also explicitly target other frames just like you normally would with Turbo Frames.
-
Look for
data-turbo-frame
on the command element<input type="checkbox" data-turbo-command="ExampleCommand#work" data-turbo-frame="some-frame-id">
-
Find the closest
<turbo-frame>
to the command element<turbo-frame id="example-frame"> <input type="checkbox" data-turbo-command="ExampleCommand#work"> </turbo-frame>
TurboBoost Commands work great with Rails forms.
Just specify the data-turbo-command
attribute on the form.
# app/views/posts/post.html.erb
<%= turbo_frame_tag dom_id(@post) do %>
<%= form_with model: @post, data: { turbo_command: "ExampleCommand#work" } do |form| %>
...
<% end %>
<% end %>
<%= turbo_frame_tag dom_id(@post) do %>
<%= form_for @post, remote: true, data: { turbo_command: "ExampleCommand#work" } do |form| %>
...
<% end %>
<% end %>
<%= form_with model: @post,
data: { turbo_frame: dom_id(@post), turbo_command: "ExampleCommand#work" } do |form| %>
...
<% end %>
The client side DOM attribute data-turbo-command
indicates what Ruby class and method to invoke.
The attribute value is specified with RDoc notation. i.e. ClassName#method_name
Here's an example.
<a data-turbo-command="DemoCommand#example">
Server side commands can live anywhere in your app; however, we recommend you keep them in the app/commands
directory.
|- app
| |- ...
+| |- commands
| |- controllers
| |- helpers
| |- ...
Commands are simple Ruby classes that inherit from TurboBoost::Commands::Command
.
They expose the following instance methods and properties.
# * controller ...................... The Rails controller processing the HTTP request
# * convert_to_instance_variables ... Converts a Hash to instance variables
# * css_id_selector ................. Returns a CSS selector for an element `id` i.e. prefixes with `#`
# * dom_id .......................... The Rails dom_id helper
# * dom_id_selector ................. Returns a CSS selector for a dom_id
# * element ......................... A struct that represents the DOM element that triggered the command
# * morph ........................... Appends a Turbo Stream to morph a DOM element
# * params .......................... Commands specific params (frame_id, element, etc.)
# * render .......................... Renders Rails templates, partials, etc. (doesn't halt controller request handling)
# * renderer ........................ An ActionController::Renderer
# * state ........................... An object that stores ephemeral `state`
# * transfer_instance_variables ..... Transfers all instance variables to another object
# * turbo_stream .................... A Turbo Stream TagBuilder
# * turbo_streams ................... A list of Turbo Streams to append to the response (also aliased as streams)
They also have access to the following class methods:
# * prevent_controller_action ... Prevents the rails controller/action from running (i.e. the command handles the response entirely)
Here's an example command.
# app/commands/demo_command.rb
class DemoCommand < TurboBoost::Commands::Command
# The command method `perform` is invoked by an ActionController `before_action`.
def perform
# - execute business logic
# - update state
# - append additional Turbo Streams
end
end
It's possible to append additional Turbo Streams to the response from within a command. Appended streams are added to the response body after the Rails controller action has completed and rendered the view template.
# app/commands/demo_command.rb
class DemoCommand < TurboBoost::Commands::Command
def example
# logic...
turbo_streams << turbo_stream.append("dom_id", "CONTENT")
turbo_streams << turbo_stream.prepend("dom_id", "CONTENT")
turbo_streams << turbo_stream.replace("dom_id", "CONTENT")
turbo_streams << turbo_stream.update("dom_id", "CONTENT")
turbo_streams << turbo_stream.remove("dom_id")
turbo_streams << turbo_stream.before("dom_id", "CONTENT")
turbo_streams << turbo_stream.after("dom_id", "CONTENT")
turbo_streams << turbo_stream.invoke("console.log", args: ["Whoa! 🤯"])
end
end
This proves especially powerful when paired with TurboBoost Streams.
Note
turbo_stream.invoke
is a TurboBoost Streams feature.
It can be useful to set instance variables on the Rails controller from within a command.
Here's an example that shows how to do this.
<!-- app/views/posts/index.html.erb -->
<%= turbo_frame_tag dom_id(@posts) do %>
<%= check_box_tag :all, :all, @all, data: { turbo_command: "PostsCommand#toggle_all" } %>
View All
<% @posts.each do |post| %>
...
<% end %>
<% end %>
# app/commands/posts_command.rb
class PostsCommand < TurboBoost::Commands::Command
def toggle_all
posts = element.checked ? Post.all : Post.unread
controller.instance_variable_set(:@all, element.checked)
controller.instance_variable_set(:@posts, posts)
end
end
# app/controllers/posts_controller.rb
class PostsController < ApplicationController
def index
@posts ||= Post.unread
end
end
Sometimes you may want to prevent normal response handling.
For example, consider the need for a related but separate form that updates a subset of user attributes. We'd like to avoid creating a non RESTful route but aren't thrilled at the prospect of adding REST boilerplate for a new route, controller, action, etc...
In that scenario we can reuse an existing route and prevent normal response handling with a command.
Here's how to do it.
<!-- app/views/users/show.html.erb -->
<%= turbo_frame_tag "user-alt" do %>
<%= form_with model: @user, data: { turbo_command: "UserCommand#example" } do |form| %>
...
<% end %>
<% end %>
The form above will send a PATCH
request to users#update
,
but we'll prevent normal request handling in the command to prevent running users#update
in the controller.
# app/commands/user_command.html.erb
class UserCommand < TurboBoost::Commands::Command
def example
# business logic, save record, etc...
controller.render html: "<turbo-frame id='user-alt'>We prevented the normal response!</turbo-frame>".html_safe
end
end
Remember that commands are invoked by a controller before action filter. That means controller rendering from inside a command halts the standard request cycle.
You can also broadcast Turbo Streams to subscribed users from a command.
# app/commands/demo_command.rb
class DemoCommand < TurboBoost::Commands::Command
def example
# logic...
Turbo::StreamsChannel
.broadcast_invoke_later_to "some-subscription", "console.log", args: ["Whoa! 🤯"]
end
end
Learn more about Turbo Stream broadcasting by reading through the hotwired/turbo-rails source code.
Note
broadcast_invoke_later_to
is a TurboBoost Streams feature.
TurboBoost manages various forms of state to provide a terrific reactive user experience.
Here’s a breakdown of each type:
Server-State is the persistent state that the server used for the most recent render. This state is signed, ensuring data integrity and security.
The client includes this signed state along with its own optimistic changes whenever a Command is invoked. The server can then compute the difference between the Client-State and the Server-State, allowing you to accept or reject the client's optimistic changes.
This ensures the server remains the single source of truth.
Server-State can be accessed within Commands like so.
state[:key] = "value"
state[:key]
#=> "value"
Server-State is also accessible in controllers and views.
# controller
turbo_boost.state[:key] = "value"
turbo_boost.state[:key]
#=> "value"
<%
# view
turbo_boost.state[:key] = "value"
turbo_boost.state[:key]
#=> "value"
%>
Now-State is ephemeral server side state that only exists for the current render cycle.
Similar to flash.now
in Rails, this state is discarded after rendering.
It’s useful for managing temporary data that doesn’t need to persist beyond the current request.
Now-State can be accessed within Commands like so.
state.now[:key] = "value"
state.now[:key]
#=> "value"
Now-State is also accessible in controllers and views.
# controller
turbo_boost.state.now[:key] = "value"
turbo_boost.state.now[:key]
#=> "value"
<%
# view
turbo_boost.state.now[:key] = "value"
turbo_boost.state.now[:key]
#=> "value"
%>
Client-State is a mutable version of the signed Server-State, wrapped in an observable JavaScript proxy. This allows for sophisticated techniques like data binding via custom JavaScript, Stimulus controllers, or web components.
Client-State enables immediate UI updates, providing a fast and smooth user experience while the server resolves state differences whenever Commands are invoked.
Client-State can be accessed on the client like so.
TurboBoost.State.current['key'] = 'value'
TurboBoost.State.current['key']
//=> 'value'
Page-State is managed by the client and used to remember element attribute values between server renders. It’s best for tracking transient user interactions, such as - which elements are visible, open/closed, their position, etc.
This enhances the user experience by maintaining the state of UI elements between renders. When invoking commands, the client sends the Page-State to the server, allowing it to preserve element attributes when rendering. The client also checks and restores Page-State whenever the DOM changes if needed.
You can opt-in to remember Page-State with Rails tag helpers via the turbo_boost[:remember]
option.
<%= tag.details id: "page-state-example", open: "open", turbo_boost: { remember: [:open] } do %>
<summary>Page-State Example</summary>
Content...
<% end %>
This will remember whether the details
element is open or closed.
That's it! You're done.
Note
Page-State tracking works with all element attributes, including aria
, data
, and even custom attributes.
Elements must have a unique id
to participate in Page-State tracking.
Commands can perform state resolution by implementing the resolve_state
method.
The Command has access to all forms of state, so you should use explicit access during resolution.
You can access both the signed Server-State and the optimistc Client-State from within the Command like so.
class ExampleCommand < TurboBoost::Commands::Command
def resolve_state
state.signed #=> the Server-State (from the last render)
state.unsigned #=> the optimistic Client-State
# compare and resolve the delta
end
end
Tip
State resolution can involve data lookups, updates to persistent data stores, calls to 3rd party APIs, etc.
You can opt-in to state resolution with the following config option.
# config/initializers/turbo_boost.rb
TurboBoost::Commands.config.tap do |config|
config.resolve_state = true
end
Tip
TurboBoost State mechanics can also be used independent of Commands with standard Hotwire techniques.
Come join the party with over 2200+ like-minded friendly Rails/Hotwire enthusiasts on our Discord server.
This project supports a fully Dockerized development experience.
-
Simply run the following commands to get started.
git clone -o github https://github.com/hopsoft/turbo_boost-streams.git cd turbo_boost-streams
docker compose up -d # start the envionment (will take a few minutes on 1st run) docker exec -it turbo_boost-streams-web rake # run the test suite open http://localhost:3000 # open the `test/dummy` app in a browser
And, if you're using the containers gem (WIP).
containers up # start the envionment (will take a few minutes on 1st run) containers rake # run the test suite open http://localhost:3000 # open the `test/dummy` app in a browser
-
Edit files using your preferred tools on the host machine.
-
That's it!
This project supports Dockerized deployment via the same configurtation used for development,
and... it actually runs the test/dummy
application in "production". 🤯
The test/dummy
app serves the following purposes.
- Test app for the Rails engine
- Documentation and marketing site with interactive demos
You can see it in action here. How's that for innovative simplicity?
fly deploy
Tip
Run these commands on the host machine (i.e. not inside the dev container)
- Run
npm update
andbundle update
to pick up the latest dependencies - Update the version number consistently in the following files:
lib/turbo_boost/commands/version.rb
- pre-release versions should use.preN
app/javascript/version.js
- pre-release versions use-preN
package.json
- pre-release versions use-preN
- Run
bin/standardize
- Run
rake build
- Run
npm run build
- Commit and push any changes to GitHub
- Run
rake release
- Run
npm publish --access public
- Create a new release on GitHub (here)
TurboBoost is a suite of libraries that enhance Rails, Hotwire, and Turbo... making them even more powerful and boosing your productivity. Be sure to check out all of the various the libraries.
The gem is available as open source under the terms of the MIT License.