Rollbar is an error tracking service for Ruby and other languages. The Rollbar service will alert you of problems with your code and help you understand them in a ways never possible before. We love it and we hope you will too.
This is the Ruby library for Rollbar. It will instrument many kinds of Ruby applications automatically at the framework level. You can also make direct calls to send exceptions and messages to Rollbar.
Add this line to your application's Gemfile:
gem 'rollbar', '~> 2.6.3'
If you are not using JRuby we suggest using Oj for JSON serialization. In order to install Oj you can add this line to your Gemfile:
gem 'oj', '~> 2.12.14'
And then execute:
$ bundle install
# Or if you don't use bundler:
$ gem install rollbar
Run the following command from your Rails root:
$ rails generate rollbar POST_SERVER_ITEM_ACCESS_TOKEN
Be sure to replace POST_SERVER_ITEM_ACCESS_TOKEN
with your project's post_server_item
access token, which you can find in the Rollbar.com interface.
That will create the file config/initializers/rollbar.rb
, which initializes Rollbar and holds your access token and other configuration values.
If you want to store your access token outside of your repo, run the same command without arguments and create an environment variable ROLLBAR_ACCESS_TOKEN
that holds your server-side access token:
$ rails generate rollbar
$ export ROLLBAR_ACCESS_TOKEN=POST_SERVER_ITEM_ACCESS_TOKEN
For Heroku users:
If you're on Heroku, you can store the access token in your Heroku config:
$ heroku config:add ROLLBAR_ACCESS_TOKEN=POST_SERVER_ITEM_ACCESS_TOKEN
That's all you need to use Rollbar with Rails.
Initialize Rollbar with your access token somewhere during startup:
Rollbar.configure do |config|
config.access_token = 'POST_SERVER_ITEM_ACCESS_TOKEN'
# other configuration settings
# ...
end
Be sure to replace POST_SERVER_ITEM_ACCESS_TOKEN
with your project's post_server_item
access token, which you can find in the Rollbar.com interface.
This monkey patches Rack::Builder
to work with Rollbar automatically.
For more control, disable the monkey patch:
Rollbar.configure do |config|
config.disable_monkey_patch = true
# other configuration settings
# ...
end
Then mount the middleware in your app, like:
class MyApp < Sinatra::Base
use Rollbar::Middleware::Sinatra
# other middleware/etc
# ...
end
To confirm that it worked, run:
$ rake rollbar:test
This will raise an exception within a test request; if it works, you'll see a stacktrace in the console, and the exception will appear in the Rollbar dashboard.
Uncaught exceptions in Rails controllers will be automatically reported to Rollbar.
You can use one of Rollbar.log(level, ...)
, Rollbar.debug()
, Rollbar.info()
, Rollbar.warning()
, Rollbar.error()
and Rollbar.critical()
to report exceptions and messages.
The methods accept any number of arguments. The last exception is used as the reported exception, the last string is used as the message/description, and the last hash is used as the extra data.
For example:
begin
result = user_info[:key1][:key2][:key3]
rescue NoMethodError => e
# simple exception report (level can be 'debug', 'info', 'warning', 'error' and 'critical')
Rollbar.log('error', e)
# same functionality as above
Rollbar.error(e)
# with a description
Rollbar.error(e, 'The user info hash doesn\'t contain the correct data')
# with extra data giving more insight about the exception
Rollbar.error(e, :user_info => user_info, :job_id => job_id)
end
You can also log individual messages:
Rollbar.warning('Unexpected input')
# can also include extra data
Rollbar.info("Login successful", :username => @username)
Rollbar.log('debug', 'Settings saved', :account_id => account.id)
To get form validation errors automatically reported to Rollbar just add the following after_validation
callback to your models:
after_validation :report_validation_errors_to_rollbar
You can use Rollbar.scope()
to copy a notifier instance and customize the payload data for one-off reporting. The hash argument to scope()
will be merged into the copied notifier's "payload options", a hash that will be merged into the final payload just before it is reported to Rollbar.
For example:
while job
user = job.user
# Overwrites any existing person data
notifier = Rollbar.scope({
:person => {:id => user.id, :username => user.username, :email => user.email}
})
begin
job.do_work
rescue => e
# Sends a report with the above person data
notifier.critical(e)
end
job = next_job
end
# Wipe person data
notifier = notifier.scope({
:person => nil
})
# No associated person data
notifier.info('Jobs processed')
If you don't want to work with a new Notifier
instance .scoped
will do it for you:
while job
user = job.user
# Overwrites any existing person data
scope = {
:person => {:id => user.id, :username => user.username, :email => user.email}
}
Rollbar.scoped(scope) do
begin
job.do_work
rescue => e
# Sends a report with the above person data
Rollbar.critical(e)
end
end
job = next_job
end
To modify the current scope (rather than creating a new one), use Rollbar.scope!
. You can use this to add additional context data from inside a web request, background job, etc.
class NotificationJob
include Sidekiq::Worker
def perform(user_id)
Rollbar.scope!(:person => { :id => :user_id })
# If this next line causes an exception, the reported exception (which will
# be reported by Rollbar's standard Sidekiq instrumentation) will also
# include the above person information.
Notification.send_to_user(user_id)
end
end
Rollbar will send information about the current user (called a "person" in Rollbar parlance) along with each error report, when available. This works by calling the current_user
controller method. The return value should be an object with an id
method and, optionally, username
and email
methods.
This will happen automatically for uncaught Rails exceptions and for any manual exception or log reporting done within a Rails request.
If the gem should call a controller method besides current_user
, add the following in config/initializers/rollbar.rb
:
Rollbar.configure do |config|
config.person_method = "my_current_user"
end
If the methods to extract the id
, username
, and email
from the object returned by the person_method
have other names, configure like so in config/initializers/rollbar.rb
:
Rollbar.configure do |config|
config.person_id_method = "user_id" # default is "id"
config.person_username_method = "user_name" # default is "username"
config.person_email_method = "email_address" # default is "email"
end
To track information about the current user in non-Rails applications, you can populate the rollbar.person_data
key in the Rack environment with the desired data. Its value should be a hash like:
{
:id => "123", # required; string up to 40 characters
:username => "adalovelace", # optional; string up to 255 characters
:email => "[email protected]" # optional; string up to 255 characters
}
Because Rack applications can vary so widely, we don't provide a default implementation in the gem, but here is an example middleware:
class RollbarPersonData
def initialize(app)
@app = app
end
def call(env)
token = Rack::Request.new(env).params['token']
user = User.find_by_token(token)
if user
env['rollbar.person_data'] = extract_person_data(user)
end
@app.call(env)
end
def extract_person_data(user)
{
id: user.id,
username: user.username,
email: user.email
}
end
end
# You can add the middleware to your application, for example:
class App < Sinatra::Base
use Rollbar::Middleware::Sinatra
use RollbarPersonData
# ...
# ...
end
The gem instantiates one Notifier
instance on initialization, which will be the base notifier that is used for all reporting (via a method_missing
proxy in the Rollbar
module). Calling Rollbar.configure()
will configure this base notifier that will be used globally in a ruby app.
However, the Rails middleware will actually scope this base notifier for use within a request by storing it in thread-local storage (see here). This is done to make any manual logging within a request automatically contain request and person data. Calling Rollbar.configure()
therefore will only affect the notifier for the duration of the request, and not the base notifier used globally.
By default, the notifier will "scrub" the following fields from payloads before sending to Rollbar
:passwd
:password
:password_confirmation
:secret
:confirm_password
:password_confirmation
:secret_token
And the following http header
"Authorization"
If a request contains one of these fields, the value will be replaced with a "*"
before being sent.
Additional fields can be scrubbed by updating Rollbar.configuration.scrub_fields
:
# scrub out the "user_password" field
Rollbar.configuration.scrub_fields |= [:user_password]
And Rollbar.configuration.scrub_headers
:
# scrub out the "X-Access-Token" http header
Rollbar.configuration.scrub_headers |= ["X-Access-Token"]
If you want to obfuscate the user IP reported to the Rollbar API you can configure a secret to do it and a different IP address from the original will be reported:
Rollbar.configuration.user_ip_obfuscator_secret = "a-private-secret-here"
You can provide a callable that will be called for each exception or message report. custom_data_method
should be a lambda that takes no arguments and returns a hash.
Add the following in config/initializers/rollbar.rb
:
config.custom_data_method = lambda {
{ :some_key => :some_value, :complex_key => {:a => 1, :b => [2, 3, 4]} }
}
This data will appear in the Occurrences tab and on the Occurrence Detail pages in the Rollbar interface.
If your custom_data_method
crashes while reporting an error, Rollbar will report that new error and will attach its uuid URL to the parent error report.
By default, all uncaught exceptions are reported at the "error" level, except for the following, which are reported at "warning" level:
ActiveRecord::RecordNotFound
AbstractController::ActionNotFound
ActionController::RoutingError
If you'd like to customize this list, see the example code in config/initializers/rollbar.rb
. Supported levels: "critical", "error", "warning", "info", "debug", "ignore". Set to "ignore" to cause the exception not to be reported at all.
This behavior applies to uncaught exceptions, not direct calls to Rollbar.error()
, Rollbar.warning()
, etc. If you are making a direct call to one of the log methods and want exception level filters to apply, pass an extra keyword argument:
Rollbar.error(exception, :use_exception_level_filters => true)
If you just want to disable exception reporting for a single block, use Rollbar.silenced
:
Rollbar.silenced {
foo = bar # will not be reported
}
If you use the gem in this way:
exception = MyException.new('this is a message')
Rollbar.error(exception)
You will notice a backtrace doesn't appear in your Rollbar dashboard. This is because exception.backtrace
is nil
in these cases. We can send the current backtrace for you even your exception doesn't have it. In order to enable this feature you should configure Rollbar in this way:
Rollbar.configure do |config|
config.populate_empty_backtraces = true
end
Include the module Rollbar::ActiveJob
in you jobs to report any uncaught errors in a job to Rollbar.
class YourAwesomeJob < ActiveJob::Base
include Rollbar::ActiveJob
end
If you need to customize the reporting write your own rescue_from
handler instead of using the Rollbar::ActiveJob
module.
If delayed_job
is defined, Rollbar will automatically install a plugin that reports any uncaught exceptions that occur in jobs.
By default, the job's data will be included in the report. If you want to disable this functionality to prevent sensitive data from possibly being sent, use the following configuration option:
config.report_dj_data = false # default is true
You can also change the threshold of job retries that must occur before a job is reported to Rollbar:
config.dj_threshold = 2 # default is 0
If you use custom jobs that define their own hooks to report exceptions, please consider disabling our plugin. Not doing so will result in duplicate exceptions being reported as well as lack of control when exceptions should be reported. To disable our Delayed::Job plugin, add the following line after the Rollbar.configure
block.
config.delayed_job_enabled = false
By default, all messages are reported synchronously. You can enable asynchronous reporting with girl_friday, sucker_punch, Sidekiq, Resque or using threading.
Add the following in config/initializers/rollbar.rb
:
config.use_async = true
Asynchronous reporting falls back to Threading if girl_friday is not installed.
Add the following in config/initializers/rollbar.rb
:
config.use_sucker_punch
Add the following in config/initializers/rollbar.rb
:
config.use_sidekiq
The default Sidekiq queue will be rollbar
but you can also supply custom Sidekiq options:
config.use_sidekiq 'queue' => 'default'
Start the redis server:
$ redis-server
Start Sidekiq from the root directory of your Rails app and declare the name of your queue. Unless you've configured otherwise, the queue name is "rollbar":
$ bundle exec sidekiq -q rollbar
For every errored job a new report will be sent to Rollbar API, also for errored retried jobs. You can configure the retries threshold to start reporting to rollbar:
config.sidekiq_threshold = 3 # Start reporting from 3 retries jobs
Add the following in config/initializers/rollbar.rb
:
config.use_resque
You can also supply a custom Resque queue:
config.use_resque :queue => 'my_queue'
Now you can just start a new Resque worker processing jobs in that queue:
$ QUEUE=my_queue bundle exec resque:work
Add the following in config/initializers/rollbar.rb
:
config.use_thread
You can supply your own handler using config.async_handler
. The object to set for async_handler
should respond to #call
and receive the payload. The handler should schedule the payload for later processing (i.e. with a delayed_job, in a resque queue, etc.) and should itself return immediately. For example:
config.use_async = true
config.async_handler = Proc.new { |payload|
Thread.new { Rollbar.process_from_async_handler(payload) }
}
Make sure you pass payload
to Rollbar.process_from_async_handler
in your own implementation.
If you are using async_handler
to process asynchronous the error it's possible that the handler fails before it calls Rollbar.process_payload
. For example, for the Resque handler, the Redis connection could fail so the job is finally not processed.
To ensure that the error is sent you can define a chain of failover handlers that Rollbar will use to send the payload in case that the primary handler fails. The failover handlers, as for async_handler
, are just objects responding to #call
.
To configure the failover handlers you can add the following:
config.use_resque
config.failover_handlers = [Rollbar::Delay::GirlFriday, Rollbar::Delay::Thread]
With the configuration above Resque will be your primary asynchronous handler but if it fails queueing the job Rollbar will use GirlFriday at first, and just a thread in case that GirlFriday fails too.
For even more asynchrony, you can configure the gem to write to a file instead of sending the payload to Rollbar servers directly. rollbar-agent can then be hooked up to this file to actually send the payload across. To enable, add the following in config/initializers/rollbar.rb
:
config.write_to_file = true
# optional, defaults to "#{AppName}.rollbar"
config.filepath = '/path/to/file.rollbar' #should end in '.rollbar' for use with rollbar-agent
For this to work, you'll also need to set up rollbar-agent--see its docs for details.
Rails doesn't provide a way to hook into its booting process, so we can't catch errors during boot out of the box. To report these errors to Rollbar, make the following changes to your project files.
First, move your config/initializers/rollbar.rb
file to config/rollbar.rb
. Then be sure your config/environment.rb
looks similar to this:
# config/environment.rb
require File.expand_path('../application', __FILE__)
require File.expand_path('../rollbar', __FILE__)
begin
Rails.application.initialize!
rescue Exception => e
Rollbar.error(e)
raise
end
How this works: first, Rollbar config (which is now at config/rollbar.rb
is required). Later, Rails.application/initialize
statement is wrapped with a begin/rescue
and any exceptions within will be reported to Rollbar.
We aren't able to instrument rails runner
directly, but we do provide a wrapper, rollbar-rails-runner
, which you can use to capture errors when running commands in a rails runner
-like way. For example:
$ bundle exec rollbar-rails-runner 'puts User.count'
45
If an error occurs during that command, the exception will be reported to Rollbar.
Add to your Capfile
:
require 'rollbar/capistrano3'
And then, to your deploy.rb
:
set :rollbar_token, 'POST_SERVER_ITEM_ACCESS_TOKEN'
set :rollbar_env, Proc.new { fetch :stage }
set :rollbar_role, Proc.new { :app }
NOTE: We've seen problems with Capistrano version 3.0.x
where the revision reported is incorrect. Version 3.1.0
and higher works correctly.
Add the following to deploy.rb
:
require 'rollbar/capistrano'
set :rollbar_token, 'POST_SERVER_ITEM_ACCESS_TOKEN'
Available options:
- rollbar_token
- The same project access token as you used for the ```rails generate rollbar``` command; find it in ```config/initializers/rollbar.rb```. (It's repeated here for performance reasons, so the rails environment doesn't have to be initialized.)
- rollbar_env
- Deploy environment name
Default:
rails_env
For capistrano/multistage
, try:
set(:rollbar_env) { stage }
In the Rollbar interface, stacktraces are shown with in-project code expanded and other code collapsed. Stack frames are counted as in-project if they occur in a file that is inside of the configuration.root
(automatically set to Rails.root
if you're using Rails). The collapsed sections can be expanded by clicking on them.
If you want code from some specific gems to start expanded as well, you can configure this in config/initializers/rollbar.rb
:
Rollbar.configure do |config |
config.access_token = '...'
config.project_gems = ['my_custom_gem', 'my_other_gem']
end
If you're using Goalie for custom error pages, you may need to explicitly add require 'goalie'
to config/application.rb
(in addition to require 'goalie/rails'
) so that the monkeypatch will work. (This will be obvious if it is needed because your app won't start up: you'll see a cryptic error message about Goalie::CustomErrorPages.render_exception
not being defined.)
Check out resque-rollbar for using Rollbar as a failure backend for Resque.
By default we use OpenSSL::SSL::VERIFY_PEER
for SSL very mode. Although we don't recommend change it, you can disable peer verification in case you experience SSL connection problems:
Rollbar.configure do |config|
config.verify_ssl_peer = false
end
Some users have reported problems with Zeus when rake
was not explicitly included in their Gemfile. If the zeus server fails to start after installing the rollbar gem, try explicitly adding gem 'rake'
to your Gemfile
. See this thread for more information.
You can find upgrading notes in UPGRADING.md.
If you are using jRuby with Oracle and JDK7, you may be expecting some errors sending reports to our API. This is caused by a bug in that JDK and the primer number used in the SSL algorithm. In order to fix this you can set the next configuration:
Rollbar.configure do|config|
config.endpoint = 'https://api-alt.rollbar.com/api/1/item/'
end
If you run into any issues, please email us at [email protected]
You can also find us in IRC: #rollbar on chat.freenode.net
For bug reports, please open an issue on GitHub.
- Fork it
- Create your feature branch (
git checkout -b my-new-feature
). - Commit your changes (
git commit -am 'Added some feature'
) - Push to the branch (
git push origin my-new-feature
) - Create new Pull Request
We're using RSpec for testing. Run the test suite with rake spec
. Tests for pull requests are appreciated but not required. (If you don't include a test, we'll write one before merging.)