How to create a ActiveRecord::RecordInvalid for testing?

EDIT: This is now possible in Rails 5.1.1. The record argument is no longer required after this commit: https://github.com/rails/rails/commit/4ff626cac901b41f86646dab1939d2a95b2d26bd

If you are on a Rails version under 5.1.1, see the original answer below:

It doesn't seem like it is possible to raise an ActiveRecord::RecordInvalid by itself. If you look at the source code for ActiveRecord::RecordInvalid, it requires a record when initializing:

class RecordInvalid < ActiveRecordError
  attr_reader :record # :nodoc:
  def initialize(record) # :nodoc:
    @record = record
    ...
  end
end

(source: https://github.com/rails/rails/blob/master/activerecord/lib/active_record/validations.rb)

Something you could do to work around this would be to simply create an actual record that is invalid and attempt to save it using save! (such as calling User.new.save! when User.name is required). However, keep in mind that this might potentially become a problem in the future if the model you use is changed and it becomes valid inside your test (User.name is no longer required).


None of the above methods worked for me so I finally did the following while doing a spec:

class InvalidRecord
  include ActiveModel::Model
end


raise ActiveRecord::RecordInvalid.new(InvalidRecord.new)

Hope it helps!


I needed to do something similar to test my code's handling of ActiveRecord::RecordInvalid. I wanted to do

allow(mock_ar_object).to receive(:save!).and_raise(ActiveRecord::RecordInvalid)

but that gives ArgumentError: wrong number of arguments (0 for 1) when RSpec tries to instantiate RecordInvalid.

Instead I wrote a RecordInvalid subclass and overrode initialize like this:

class MockRecordInvalid < ActiveRecord::RecordInvalid
  def initialize
  end
end

allow(mock_ar_object).to receive(:save!).and_raise(MockRecordInvalid)

Then a rescue ActiveRecord::RecordInvalid will catch MockRecordInvalid and MockRecordInvalid.new.is_a?(ActiveRecord::RecordInvalid) is true.