kmorris511
kmorris511

Reputation: 17162

Running ActiveRecord validations without saving

I have a collection of ActiveRecord objects. I want to be able to run all the validations for each of these objects without actually saving them to the database. I just want to know if they would be valid were I to save them to the database. In other words, I essentially want to populate the errors data structure for each of my objects. Is there a way to do this? Or perhaps I'm missing something about the lifecycle of the errors collection?

Upvotes: 14

Views: 7983

Answers (2)

Mike Trpcic
Mike Trpcic

Reputation: 25659

You can do the following to check if a Model is valid:

@user = User.new
if @user.valid?
  #do things

If you want to see what the errors are, you can do:

@user = User.new
unless @user.valid?
  @user.errors.each {|k, v| puts "#{k.capitalize}: #{v}"}

Calling the ".valid?" method runs your validations, putting all of your errors into an ActiveRecord::Errors object, which can be accessed like I did in the example above. Give the examples a try in the Console to get a feel for it if you like.

Upvotes: 35

Andres Jaan Tack
Andres Jaan Tack

Reputation: 23024

Running the #valid? method on the object will run all validations and populate the errors structure.

dude = Person.new
unless dude.valid?
  # Examine errors
end

Upvotes: 5

Related Questions