Warning
This is the README for the new release candidate of v1, which is a major refactor from the previous release candidate of v1. If you are looking for the stable release, please refer to the v0.9.0 README.
Rails applications today frequently need to coordinate complex multi-step operations across external services, databases, and systems. While Active Job provides eventual consistency guarantees, it doesn't address the challenges of managing stateful, long-running operations that must be resilient to failures, timeouts, and partial completions. AcidicJob
enhances Active Job with durable execution workflows that automatically track state and resiliently handle retries, while providing you the tools to ensure your operations are truly idempotent through careful state management and IO awareness.
With AcidicJob, you can write reliable and repeatable multi-step distributed operations that are Atomic ⚛️, Consistent 🤖, Isolated 🕴🏼, and Durable ⛰️.
Install the gem and add to the application's Gemfile by executing:
bundle add acidic_job --version "1.0.0.rc1"
If bundler
is not being used to manage dependencies, install the gem by executing:
gem install acidic_job --pre
After installing the gem, run the installer:
rails generate acidic_job:install
The installer will create a migration file at db/migrate
to setup the tables that the gem requires.
AcidicJob
provides a simple DSL to define linear workflows within your job. In order to define and execute a workflow within a particular job, simply include AcidicJob::Workflow
. This will provide the execute_workflow
method to the job, which takes a unique_by
keyword argument and a block where you define the steps of the workflow:
class Job < ActiveJob::Base
include AcidicJob::Workflow
def perform(arg)
@arg = arg
execute_workflow(unique_by: @arg) do |w|
w.step :step_1, transactional: true
w.step :step_2
w.step :step_3
end
end
# ...
end
The foundational feature AcidicJob
provides is the execute_workflow
method, which takes a block where you define your workflow's step methods:
class RideCreateJob < AcidicJob::Base
def perform(user_id, ride_params)
@user = User.find(user_id)
@params = ride_params
execute_workflow(unique_by: [@user, @params]) do |workflow|
workflow.step :create_ride_and_audit_record, transactional: true
workflow.step :create_stripe_charge
workflow.step :send_receipt
end
end
private
def create_ride_and_audit_record
# ...
end
def create_stripe_charge
# ...
end
def send_receipt
# ...
end
end
The unique_by
keyword argument is used to define the unique identifier for a particular execution of the workflow. This helps to ensure that the workflow is idempotent, as retries of the job will correctly resume the pre-existing workflow execution. The unique_by
argument can be anything that JSON.dump
can handle.
The block passed to execute_workflow
is where you define the steps of the workflow. Each step is defined by calling the step
method on the yielded workflow builder object. The step
method takes the name of a method in the job that will be executed as part of the workflow. The transactional
keyword argument can be used to ensure that the step is executed within a database transaction.
The step
method is the only method available on the yielded workflow builder object, and it simply takes the name of a method available in the job.
Important
In order to craft resilient workflows, you need to ensure that each step method wraps a single unit of IO-bound work. You must not have a step method that performs multiple IO-bound operations, like writing to your database and calling an external API. Steps should be as granular and self-contained as possible. This allows your own logic to be more durable in case of failures in third-party APIs, network errors, and so on. So, the rule of thumb is to have only one state mutation per step. And this rule of thumb graduates to a hard and fast rule for foreign state mutations. You must only have one foreign state mutation per step, where a foreign state mutation is any operation that writes to a system beyond your own boundaries. This might be creating a charge on Stripe, adding a DNS record, or sending an email.1
When your job calls execute_workflow
, you initiate a durable execution workflow. The execution is made durable via the AcidicJob::Execution
record that is created. This record is used to track the state of the workflow, and to ensure that if a step fails, the job can be retried and the workflow will pick up where it left off. This is a powerful feature that allows you to build resilient workflows that can handle failures gracefully, because if your job fails on step 3, when it retries, it will simply jump right back to trying to execute the method defined for the 3rd step, and won't even execute the first two step methods. This means your step methods only need to be idempotent on failure, not on success, since they will never be run again if they succeed.
By default, each step is executed and upon completion, the AcidicJob::Execution
record is updated to reflect the completion of that step. This default makes sense for foreign state mutations, but for local state mutations, i.e. writes to your application's primary database, it makes sense to wrap the both the step execution and the record update in a single transaction. This is done by passing the transactional
option to the step
method:
execute_workflow(unique_by: [@user, @params]) do |workflow|
workflow.step :create_ride_and_audit_record, transactional: true
workflow.step :create_stripe_charge
workflow.step :send_receipt
end
In addition to the workflow steps, AcidicJob
also provides you with an isolated context where you can persist data that is needed across steps and across retries. This means that you can set an attribute in step 1, access it in step 2, have step 2 fail, have the job retry, jump directly back to step 2 on retry, and have that object still accessible. This is available via the ctx
object, which is an instance of AcidicJob::Context
, in all of your step methods:
class RideCreateJob < AcidicJob::Base
def perform(user_id, ride_params)
@user = User.find(user_id)
@params = ride_params
execute_workflow(unique_by: [@user, @params]) do |workflow|
workflow.step :create_ride_and_audit_record, transactional: true
workflow.step :create_stripe_charge
workflow.step :send_receipt
end
end
def create_ride_and_audit_record
ctx[:ride] = @user.rides.create(@params)
end
def create_stripe_charge
Stripe::Charge.create(amount: 20_00, customer: ctx[:ride].user)
end
# ...
end
As you see, you access the ctx
object as if it were a hash, though it is a custom AcidicJob::Context
object that persists the data to AcidicJob::Value
records associated with the workflow's AcidicJob::Execution
record.
Note
This does mean that you are restricted to objects that can be serialized by ActiveJob
(for more info, see the Rails Guide on ActiveJob
). This means you can persist Active Record models, and any simple Ruby data types, but you can't persist things like Procs or custom class instances, for example. AcidicJob
does, though, extend the standard set of supported types to include Active Job instances themselves, unpersisted Active Record instances, and Ruby exceptions.
As the code sample also suggests, you should always use standard instance variables defined in your perform
method when you have any values that your step
methods need access to, but are present at the start of the perform
method. You only need to persist attributes that will be set during a step via ctx
.
Resilient workflows must, necessarily, be idempotent.2 Idempotency is a fancy word that simply means your jobs need to be able to be run multiple times while any side effects only happen once. In order for your workflow executions to be idempotent, AcidicJob
needs to know what constitutes a unique execution of your job. You can define what makes your job unique by passing the unique_by
argument when executing the workflow:
class Job < ActiveJob::Base
include AcidicJob::Workflow
def perform(record:)
execute_workflow(unique_by: [record.id, record.status]) do |w|
w.step :step_1
w.step :step_2
w.step :step_3
end
end
Tip
You should think carefully about what constitutes a unique execution of a workflow. Imagine you had a workflow job for balance transers. Jill transfers $10 to John. Your system must be able to differentiate between retries of this transfer and new independent transfers. If you were only to use the sender
, recipient
, and amount
as your unique_by
values, then if Jill tries to transfer another $10 to John at some point in the future, that work will be considered a retry of the first transfer and not a new transfer.
In addition to the workflow definition setup, AcidicJob
also provides a couple of methods to precisely control the workflow step execution. From within any step method, you can call either repeat_step!
or halt_step!
.
repeat_step!
will cause the current step to be re-executed on the next iteration of the workflow. This is useful when you need to traverse a collection of items and perform the same operation on each item. For example, if you need to send an email to each user in a collection, you could do something like this:
class Job < ActiveJob::Base
include AcidicJob::Workflow
def perform(users)
@users = users
execute_workflow(unique_by: @users) do |w|
w.step :notify_users
end
end
def notify_users
cursor = ctx[:cursor] || 0
user = @users[cursor]
return if user.nil?
UserMailer.with(user: user).welcome_email.deliver_later
ctx[:cursor] = cursor + 1
repeat_step!
end
end
This example demonstrates how you can leverage the basic building blocks provided by AcidicJob
to orchestrate complex workflows. In this case, the notify_users
step sends an email to each user in the collection, one at a time, and resiliently handles errors by storing a cursor in the ctx
object to keep track of the current user being processed. If any error occurs while traversing the @users
collection, the job will be retried, and the notify_users
step will be re-executed from the last successful cursor position.
The halt_step!
method, on the other hand, stops not just the execution of the current step but the job as a whole. This is useful when you either need to conditionally stop the workflow based on some criteria or need to delay the job for some amount of time before being restarted. For example, if you need to send a follow-up email to a user 14 days after they sign up, you could do something like this:
class Job < ActiveJob::Base
include AcidicJob::Workflow
def perform(user)
@user = user
execute_workflow(unique_by: @user) do |w|
w.step :delay
w.step :send_welcome_email
end
end
def delay
enqueue(wait: 14.days)
ctx[:halt] = true
end
def send_welcome_email
if ctx[:halt]
ctx[:halt] = false
halt_step!
end
UserMailer.with(user: @user).welcome_email.deliver_later
end
end
In this example, the delay
step creates a new instance of the job and enqueues it to run 14 days in the future. It then sets a flag in the ctx
object to halt the job. We want to halt the job in the following step and only halt it once. This ensures that when the job is re-enqueued and performed, it jumps to the send_welcome_email
step and that step send the email only on this second run of the job. By checking for this flag and, if it is set, clears the flag and halting the job, the send_welcome_email
step can free the worker queue from doing work, let the system waits 2 weeks, and then pick right back up where it paused originally.
AcidicJob
is a library that provides a small yet powerful set of tools to build cohesive and resilient workflows in your Active Jobs. All of the tools are made available by include
ing the AcidicJob::Workflow
module. The primary and most important tool is the execute_workflow
method, which you call within your perform
method. Then, if you need to store any contextual data, you use the ctx
objects setters and getters. Finally, within any step methods, you can call repeat_step!
or halt_step!
to control the execution of the workflow. If you need, you can also access the execution
Active Record object to get information about the current execution of the workflow. With these lightweight tools, you can build complex workflows that are resilient to failures and can handle a wide range of use cases.
When testing acidic jobs, you are likely to run into ActiveRecord::TransactionIsolationError
s:
ActiveRecord::TransactionIsolationError: cannot set transaction isolation in a nested transaction
This error is thrown because by default RSpec and most MiniTest test suites use database transactions to keep the test database clean between tests. The database transaction that is wrapping all of the code executed in your test is run at the standard isolation level, but AcidicJob
then tries to create another transaction at a more conservative isolation level. You cannot have a nested transaction that runs at a different isolation level, thus, this error.
In order to avoid this error, you need to ensure firstly that your tests that run your acidic jobs are not using a database transaction and secondly that they use some different strategy to keep your test database clean. The DatabaseCleaner gem is a commonly used tool to manage different strategies for keeping your test database clean. As for which strategy to use, truncation
and deletion
are both safe, but their speed varies based on our app's table structure (see https://github.com/DatabaseCleaner/database_cleaner#what-strategy-is-fastest). Either is fine; use whichever is faster for your app.
In order to make this test setup simpler, AcidicJob
provides a Testing
module that your job tests can include. It is simple; it sets use_transactional_tests
to false
(if the test is an ActiveJob::TestCase
), and ensures a transaction-safe DatabaseCleaner
strategy is run for each of your tests. Moreover, it ensures that the system's original DatabaseCleaner configuration is maintained, options included, except that any transaction
strategies for any ORMs are replaced with a deletion
strategy. It does so by storing whatever the system DatabaseCleaner configuration is at the start of before_setup
phase in an instance variable and then restores that configuration at the end of after_teardown
phase. In between, it runs the configuration thru a pipeline that selectively replaces any transaction
strategies with a corresponding deletion
strategy, leaving any other configured strategies untouched.
For those of you using RSpec, use this as a baseline to configure RSpec in the exact same way I have used in my RSpec projects to allow me to test AcidicJob
with the deletion
strategy but still have all of my other tests use the fast transaction
strategy:
require "database_cleaner/active_record"
# see https://github.com/DatabaseCleaner/database_cleaner#how-to-use
RSpec.configure do |config|
config.use_transactional_fixtures = false
config.before(:suite) do
DatabaseCleaner.clean_with :truncation
# Here we are defaulting to :transaction but swapping to deletion for some specs;
# if your spec or its code-under-test uses
# nested transactions then specify :transactional e.g.:
# describe "SomeWorker", :transactional do
#
DatabaseCleaner.strategy = :transaction
config.before(:context, transactional: true) { DatabaseCleaner.strategy = :deletion }
config.after(:context, transactional: true) { DatabaseCleaner.strategy = :transaction }
config.before(:context, type: :system) { DatabaseCleaner.strategy = :deletion }
config.after(:context, type: :system) { DatabaseCleaner.strategy = :transaction }
end
config.around(:each) do |example|
DatabaseCleaner.cleaning do
example.run
end
end
end
After checking out the repo, run bin/setup
to install dependencies. Then, run rake test
to run the tests. You can also run bin/console
for an interactive prompt that will allow you to experiment.
To install this gem onto your local machine, run bundle exec rake install
. To release a new version, update the version number in version.rb
, and then run bundle exec rake release
, which will create a git tag for the version, push git commits and the created tag, and push the .gem
file to rubygems.org.
You can run a specific Rails version using one of the Gemfiles defined in the /gemfiles
directory via the BUNDLE_GEMFILE
ENV variable, e.g.:
BUNDLE_GEMFILE=gemfiles/rails_7.0.gemfile bundle exec rake test
You can likewise test only one particular test file using the TEST
ENV variable, e.g.:
TEST=test/acidic_job/basics_test.rb
Finally, if you need to only run one particular test case itself, use the TESTOPTS
ENV variable with the --name
option, e.g.:
TESTOPTS="--name=test_workflow_with_each_step_succeeding"
You may also need to run the test suite with a particular Ruby version. If you are using the ASDF version manager, you can set the Ruby version with the ASDF_RUBY_VERSION
ENV variable, e.g.:
ASDF_RUBY_VERSION=2.7.7 bundle exec rake test
If you are using rbenv
to manage your Ruby versions, you can use the RBENV_VERSION
ENV variable instead.
These options can of course be combined to help narrow down your debugging when you find a failing test in CI.
Bug reports and pull requests are welcome on GitHub at https://github.com/fractaledmind/acidic_job.
Footnotes
-
I first learned this rule from Brandur Leach reminds in his post on Implementing Stripe-like Idempotency Keys in Postgres. ↩
-
This is echoed both by Mike Perham, the creator of Sidekiq, in the Sidekiq docs on best practices by the GitLab team in their Sidekiq Style Guide. ↩