• This repository has been archived on 16/Sep/2020
  • Stars
    star
    342
  • Rank 119,744 (Top 3 %)
  • Language
    Elixir
  • Created almost 9 years ago
  • Updated over 5 years ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

Simple and reliable background job processing library for Elixir.

Toniq

Simple and reliable background job processing library for Elixir.

asciicast

  • Focuses on being easy to use and handling errors well.
  • Will automatically retry failing jobs a few times.
  • It has practically no limits on concurrent jobs.
  • Can limit concurrency using a max concurrency option.
  • Passes arguments to the worker exactly as they where enqueued, no JSON conversion.
  • Fails on the side of running a job too many times rather than not at all. See more on this below.
  • Works well on limited environments like Heroku where you can't connect multiple Erlang nodes directly or do hot code updates.
  • Uses redis to persist jobs but is not resque/sidekiq compatible.
    • If you need that then I'd recommend you look at Exq.
    • You can run both Exq and Toniq in the same app for different workers.

If anything is unclear about how this library works or what an error message means that's considered a bug, please file an issue (or a pull request)!

--

Status: Relatively new. Used quite a lot of apps since 1.0 (nov, 2015). If you like, ping @joakimk about how you use toniq and for what size/type of app.

Installation

Add as a dependency in your mix.exs file:

defp deps do
  [
    {:exredis, ">= 0.2.4"},
    {:toniq, "~> 1.0"}
  ]
end

And run:

mix deps.get

Then add :toniq to the list of applications in mix.exs.

And configure toniq in different environments:

config :toniq, redis_url: "redis://localhost:6379/0"
# config :toniq, redis_url: System.get_env("REDIS_PROVIDER")

If you have multiple apps using the same redis server, then don't forget to also configure redis_key_prefix.

Dynamic redis url

If you need to configure redis dynamically after the application starts, you can use redis_url_provider to block until a redis_url is available.

config :toniq, redis_url_provider: fn -> wait_for_redis_url_to_be_available end

Usage

Define a worker:

defmodule SendEmailWorker do
  use Toniq.Worker

  def perform(to: to, subject: subject, body: body) do
    # do work
  end
end

Enqueue jobs somewhere in your app code:

Toniq.enqueue(SendEmailWorker, to: "[email protected]", subject: "Hello", body: "Hello, there!")

Pipelines

You can also enqueue jobs using |> like this:

email = [to: "[email protected]", subject: "Hello", body: "Hello, there!"]

email
|> Toniq.enqueue_to(SendEmailWorker)

Delayed jobs

And delay jobs.

email = [to: "[email protected]", subject: "Hello", body: "Hello, there!"]

# Using enqueue_to:
email
|> Toniq.enqueue_to(SendEmailWorker, delay_for: 1000)

# Using enqueue_with_delay:
Toniq.enqueue_with_delay(SendEmailWorker, email, delay_for: 1000)

Pattern matching

You can pattern match in workers. This can be used to clean up the code, or to handle data from previous versions of the same worker!

defmodule SendMessageWorker do
  use Toniq.Worker

  def perform(message: "", receipient: _receipient) do
    # don't send empty messages
  end

  def perform(message: message, receipient: receipient) do
    SomeMessageService.send(message, receipient)
  end
end

Limiting concurrency

For some workers you might want to limit the number of jobs that run at the same time. For example, if you call out to a API, you most likely don't want more than 3-10 connections at once.

You can set this by specifying the max_concurrency option on a worker.

defmodule RegisterInvoiceWorker do
  use Toniq.Worker, max_concurrency: 10

  def perform(attributes) do
    # do work
  end
end

Retrying failed jobs

An admin web UI is planned, but until then (and after that) you can use the console.

Retrying all failed jobs:

iex -S mix
iex> Toniq.failed_jobs |> Enum.each &Toniq.retry/1

Retrying one at a time:

iex> job = Toniq.failed_jobs |> hd
iex> Toniq.retry(job)

Or delete the failed job:

iex> job = Toniq.failed_jobs |> hd
iex> Toniq.delete(job)

Automatic retries

Jobs will be retried automatically when they fail. This can be customized, or even disabled by configuring a retry strategy for toniq (keep in mind that a system crash will still cause a job to be run more than once in some cases even if retries are disabled).

The default strategy is Toniq.RetryWithIncreasingDelayStrategy, which will retry a job 5 times after the initial run with increasing delay between each. Delays are approximately: 250 ms, 1 second, 20 seconds, 1 minute and 2.5 minutes. In total about 4 minutes (+ 6 x job run time) before the job is marked as failed.

An alternative is Toniq.RetryWithoutDelayStrategy which just retries twice without delay (this is used in toniq tests).

config :toniq, retry_strategy: Toniq.RetryWithoutDelayStrategy
# config :toniq, retry_strategy: YourCustomStrategy

Load balancing

As toniq only runs jobs within the VM that enqueued them, it's up to you to enqueue jobs in different VMs if you want to run more of them concurrently than a single Erlang VM can handle.

This could be as simple as web requests to load balanced web servers enqueuing jobs within each web server, or as complex as a custom redis pub-sub system.

Alternatively you can use Toniq.JobImporter to pass jobs to a random VM. It has a little delay due to being a polling system.

identifier = Toniq.KeepalivePersistence.registered_vms |> Enum.shuffle |> hd
Toniq.JobPersistence.store_incoming_job(Toniq.TestWorker, [], identifier)

Designed to avoid complexity

Instead of using redis as a messaging queue, toniq uses it for backup.

Jobs are run within the VM where they are enqueued. If a VM is stopped or crashes, unprocessed jobs are recovered from redis once another VM is running.

By running jobs within the same VM that enqueues them we avoid having to use any locks in redis. Locking is a complex subject and very hard to get right. Toniq should be simple and reliable, so let's avoid locking!

Request for feedback

I would like to know how using this tool works out for you. Any problems? Anything that was hard to understand from the docs? What scale do you run jobs on? Works great? Better than something you've used before? Missing some feature you're used to?

Ping @joakimk or open an issue.

FAQ

Why have a job queue at all?

  • You don't have to run the code synchronously. E.g. don't delay a web response while sending email.
  • You don't have to write custom code for the things a job queue can handle for you.
  • You get persistence, retries, failover, concurrency limits, etc.

Will jobs be run in order?

This is a first-in-first-out queue but due to retries and concurrency, ordering can not be guaranteed.

How are jobs serialized when stored in redis?

Jobs are serialized using erlang serialization. It's the same format that is used when distributed nodes communicate. This means you can pass almost anything to jobs.

What happens if the serialization format changes?

There is code in place to automatically migrate old versions of jobs.

If an Erlang VM stops with unprocessed jobs in its queue, how are those jobs handled?

As soon as another Erlang VM is running it will find the jobs in redis, move them into it's own queue and run them. It may take a little while before this happens (10-15 seconds or so), so that the original VM has a chance to report in and retain it's jobs.

Why will jobs be run more than once in rare cases?

If something really unexpected happens and a job can't be marked as finished after being run, this library prefers to run it twice (or more) rather than not at all.

Unexpected things include something killing the erlang VM, an unexpected crash within the job runner, or problems with the redis connection at the wrong time.

You can solve this in two ways:

  • Go with the flow: make your jobs runnable more than once without any bad sideeffects. Also known as Reentrancy.
  • Implement your own locking, or contribute some such thing to this library.

I tend to prefer the first alternative in whenever possible.

How do I run scheduled or recurring jobs?

There is no built-in support yet, but you can use tools like https://github.com/c-rack/quantum-elixir to schedule toniq jobs.

config :quantum, cron: [
  # Every 15 minutes
  "*/15 * * * *": fn -> Toniq.enqueue(SomeWorker) end
]

Notes

This project uses mix format to format the code. Ensure that you run that when you make changes. One easy way is to have an editor plugin run it for you when you save.

Versioning

This library uses semver for versioning. The API won't change in incompatible ways within the same major version, etc. The version is specified in mix.exs.

Credits

Presentations featuring toniq

  • 2015
    • Presentation at Stockholm Elixir "October talkfest": slides

Contributing

  • Pull requests:
    • Are very welcome :)
    • Should have tests
    • Should have refactored code that conforms to the style of the project (as best you can)
    • Should have updated documentation
    • Should implement or fix something that makes sense for this library (feel free to ask if you are unsure)
    • Will only be merged if all the above is fulfilled. I will generally not fix your code, but I will try and give feedback.
  • If this project ever becomes too inactive, feel free to ask about taking over as maintainer.

Development

mix deps.get
mix test

While developing you can use mix test.watch --stale to run tests as you save files.

You can also try toniq in dev using Toniq.TestWorker.

iex -S mix
iex> Toniq.enqueue(Toniq.TestWorker)
iex> Toniq.enqueue(Toniq.TestWorker, :fail_once)

TODO and ideas for after 1.0

  • Work on and/or help others work on github issues
  • See if delayed jobs could use incomming jobs for importing so it does not need reload_job_list.
  • Report errors in a more standard way, see discussion on honeybadger-elixir#30
  • Document how to test an app using Toniq. E.g. use Toniq.JobEvent.subscribe, etc.
  • Admin UI (idle, was being worked on by kimfransman)
    • That shows waiting and failed jobs
    • Make data easiliy available for display in the app that uses toniq
    • Store/show time of creation
    • Store/show retry count
    • MAYBE: JSON API for current job stats
    • MAYBE: Webhook to push job stats updates
  • A tiny web page instead of just a redirect at http://toniq.elixir.pm.
    • A phoenix app using toniq with regularly scheduled jobs, and ways to trigger jobs would be fun. Especially if the Admin UI exists so you can see them run, retry, etc.
  • Document JobEvent in readme
  • Add CI
    • Run tests in R17 as people still use that
  • Log an error when a job takes "too long" to run, set a sensible default
    • Not detecting this has led to production issues in other apps. A warning is easy to do and can help a lot.
  • Better error for arity bugs on perform since that will be common. Lists need to be ordered, if it's a list, make the user aware of that, etc.
  • Be able to skip persistence
  • Simple benchmark to see if it behaves as expected in different modes
    • write job times in microseconds?
    • benchmark unpersisted jobs
    • benchmark persisting many jobs (100k+)
    • benchmark many long running jobs
    • optimize a bit
    • comparative benchmark for sidekiq and/or exq?
  • Test that RedisConnection shows the nice error message
  • More logging
  • Consider starting toniq differently in tests to better isolate unit tests
  • Custom retry stategies per worker
  • Support different enqueue strategies on a per-worker or per-enqueue basis
    • Delayed persistence: faster. Run the job right away, and persist the job at the same time. You're likely going to have a list of jobs to resume later if the VM is stopped.
    • No persistence: fastest. Run the job right away. If the VM is stopped jobs may be lost.
  • Add timeouts for jobs (if anyone needs it). Should be fairly easy.
  • Look into cleaning up code using exactor
  • Look into using redix. A native elixir redis client. Explore error handling and usabillity. Benchmark.

License

Copyright (c) 2015-2017 Joakim Kolsjö

MIT License

Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions:

The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software.

THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.

More Repositories

1

testbot

[Not maintained] Testbot is a test distribution tool that works with Rails, RSpec, RSpec2, Test::Unit and Cucumber
Ruby
130
star
2

minimapper

A minimalistic way of separating your models from ActiveRecord
Ruby
83
star
3

macruby-docs-js

macruby-docs.user.js - A userscript that adds MacRuby/RubyMotion syntax to Apple's Objective-C/Cocoa docs.
JavaScript
38
star
4

testbot_cloud

A tool for creating and managing testbot clusters in the cloud.
Ruby
16
star
5

pipeline

CI build pipeline status app
Ruby
15
star
6

session_tracker

Track active user sessions in redis
Ruby
9
star
7

rpi-elixir

An Elixir docker image for Raspberry Pi
Makefile
9
star
8

caribbean-onslaught

Ruby
8
star
9

hubreview

Commit-by-commit code review app. No longer maintained, use https://github.com/henrik/remit instead.
Ruby
8
star
10

starsystem

Playing around with Elm and live code updates by building a game.
Elm
7
star
11

hoptoad_notifier_merb

*No longer mantained* hoptoad notification client for merb, for a replacement, check the merb_hoptoad_notifier or rack_hoptoad projects.
Ruby
5
star
12

dboard

Dashboard framework
Ruby
5
star
13

docker_services

A tool to install and run multiple versions of services like redis or postgres on the same computer without having port collisions by using docker.
Elixir
4
star
14

algotrader

Open source algorithmic trader with fast backtesting written in Rust.
Rust
4
star
15

rpi-erlang

Raspberry Pi compatible docker image for Erlang
Makefile
4
star
16

excel_xml

Library for creating Excel XML documents using Ruby.
Ruby
4
star
17

CrimeSweeper

A GTUG Stockholm Android Hackathon 2009 project (see more at http://sites.google.com/site/stockholmgtug/Home/gtug-stockholm-android-hackathon-2009/)
Java
4
star
18

vagrant_example

This is an example of how to use vagrant to setup a rails development environment with REE and Passenger
Ruby
3
star
19

devbox-tools

Ruby
3
star
20

cloud_bot

An example of how to use testbot with Amazon EC2 using fog
Ruby
3
star
21

goos_auction_sniper

Ruby implementation of the AuctionSniper in the Growing Object-Oriented Software Guided by Tests book.
Ruby
3
star
22

proxapi

Proxmox REST API
Ruby
3
star
23

rspec-roles

Experiment in testing definitions and implementations of roles (a class can play many roles, like Persistable or Preparable) in Ruby using RSpec.
Ruby
3
star
24

fast_unit_tests_example

An example of how you can create a separate suite of tests within a rails application that tests code which does not depend on rails (so that you can have faster feedback cycles).
Ruby
3
star
25

mtag

Small utility library to keep good and consistent id3 tags and file names when publishing music.
Ruby
2
star
26

snake-game-mob-elm

A snake game built by a group of people at an Elm meetup
Elm
2
star
27

xa-006

A demo made using WebGL (three.js) for Edison 2016.
HTML
2
star
28

debitech_soap

Please use https://github.com/barsoom/debitech_soap/
Ruby
2
star
29

phoenix_example_app

This is a phoenix demo app written for a presentation of phoenix at Stockholm Elixir.
Elixir
2
star
30

engine_experiment

Experiment: I want to see if it's practial to build a large rails app composed of multiple engines.
Ruby
2
star
31

rpi-elixir-phoenix-app-example

An example of how to run a phoenix app using dockerized Elixir on a Raspberry Pi.
Elixir
2
star
32

livecoding_workspace

A javascript live coding (hot code reload) workspace set up using Elixir and Phoenix.
Elixir
2
star
33

solokit

Not maintained anymore.
Ruby
2
star
34

memo

Memo is a shoppinglist application for Pocket PC and other devices that can run javascript.
JavaScript
2
star
35

acts_as_rails3_generator

Write Rails 2 generators with Rails 3 generator syntax
Ruby
1
star
36

joakimk.github.com

The source for rubyblocks.se
JavaScript
1
star
37

dboard_example

Setting up a dashboard using dboard
JavaScript
1
star
38

toniq-admin-ui-example

JavaScript
1
star
39

presentations

JavaScript
1
star
40

offline

TypeScript
1
star
41

kv

My implementation of the app described in http://elixir-lang.org/getting-started/mix-otp/introduction-to-mix.html
Elixir
1
star
42

app_builder

Experiments with rails 3.1
Ruby
1
star
43

cookbooks

My chef cookbooks
Ruby
1
star
44

devtools

Playing around with elixir by using it to automate various dev tasks.
Elixir
1
star
45

live_coding

JavaScript
1
star
46

vagrant_boxes

1
star
47

help-search

Exploring elm by building a FAQ search box
Elm
1
star
48

xa-007

A demo made using WebGL (three.js) for Edison 2018.
JavaScript
1
star
49

devenv

Ruby
1
star
50

planes

A gosu game
Ruby
1
star