Reputation: 48490
I'm having a difficult time understanding how to get Rails to show an explicit error message for a child resource that is failing validation when I render an XML template. Hypothetically, I have the following classes:
class School < ActiveRecord::Base
has_many :students
validates_associated :students
def self.add_student(bad_email)
s = Student.new(bad_email)
students << s
end
end
class Student < ActiveRecord::Base
belongs_to :school
validates_format_of :email,
:with => /^([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z]{2,})$/i,
:message => "You must supply a valid email"
end
Now, in the controller, let's say we want to build a trivial API to allow us to add a new School with a student in it (again, I said, it's a terrible example, but plays its role for the purpose of the question)
class SchoolsController < ApplicationController
def create
@school = School.new
@school.add_student(params[:bad_email])
respond_to do |format|
if @school.save
# some code
else
format.xml { render :xml => @school.errors, :status => :unprocessable_entity }
end
end
end
end
Now the validation is working just fine, things die because the email doesn't match the regex that's set in the validates_format_of method in the Student class. However the output I get is the following:
<?xml version="1.0" encoding="UTF-8"?>
<errors>
<error>Students is invalid</error>
</errors>
I want the more meaningful error message that I set above with validates_format_of to show up. Meaning, I want it to say:
<error>You must supply a valid email</error>
What am I doing wrong for that not to show up?
Upvotes: 46
Views: 32489
Reputation: 1832
The original question isn't specifically about showing errors on associations, though it's implied by the posted example. I came here looking for a way to flatten a tree of ActiveModel objects' errors into its root node.
For this more general case, as of Rails 5.2.3 ActiveModel::Errors
has a merge!(other)
method, where other
is an instance which mixes in ActiveModel::Errors
(eg. an ActiveRecord or ActiveModel instance).
It merges the errors from other
, with each Error
wrapped as NestedError
.
class Car
include ActiveModel::Model
include ActiveModel::Attributes
validate :validate_attributes
attribute :engine
attribute :transmission
def validate_attributes
attributes.each do |name, obj|
next if obj.valid?
errors.merge!(obj)
end
end
end
class Engine
include ActiveModel::Model
include ActiveModel::Attributes
validates :brand, presence: true
attribute :brand
end
class Transmission
include ActiveModel::Model
include ActiveModel::Attributes
validates :type, presence: true
attribute :type
end
c = Car.new(engine: Engine.new, transmission: Transmission.new)
c.valid?
c.errors.details
=> {:brand=>[{:error=>:blank}], :type=>[{:error=>:blank}]}
Upvotes: 0
Reputation: 5027
I have the same issue. no good answer so far. So I solved it by myself. by replacing association error message with detail error message:
create a concern file models/concerns/association_error_detail_concern.rb
:
module AssociationErrorDetailConcern
extend ActiveSupport::Concern
included do
after_validation :replace_association_error_message
end
class_methods do
def association_names
@association_names ||= self.reflect_on_all_associations.map(&:name)
end
end
def replace_association_error_message
self.class.association_names.each do |attr|
next unless errors[attr]
errors.delete(attr)
Array.wrap(public_send(attr)).each do |record|
record.errors.full_messages.each do |message|
errors.add(attr, message)
end
end
end
end
end
in your model:
class School < ApplicationRecord
include AssociationErrorDetailConcern
has_many :students
...
end
then you will get you must supply a valid email
error message on students
attribute of school
record. instead of useless message is invalid
Upvotes: 2
Reputation: 381
Update Rails 5.0.1
You can use Active Record Autosave Association
class School < ActiveRecord::Base
has_many :students, autosave: true
validates_associated :students
end
class Student < ActiveRecord::Base
belongs_to :school
validates_format_of :email,
:with => /^([^@\s]+)@((?:[-a-z0-9]+\.)+[a-z]{2,})$/i,
:message => "You must supply a valid email"
end
@school = School.new
@school.build_student(email: 'xyz')
@school.save
@school.errors.full_messages ==> ['You must supply a valid email']
reference: http://api.rubyonrails.org/classes/ActiveRecord/AutosaveAssociation.html
Upvotes: 11
Reputation: 3149
This is not a public API yet, but Rails 5 stable seems to have ActiveModel::Errors#copy!
to merge errors
between two models.
user = User.new(name: "foo", email: nil)
other = User.new(name: nil, email:"[email protected]")
user.errors.copy!(other.errors)
user.full_messages #=> [ "name is blank", "email is blank" ]
Again, this is not officially published yet (I accidentally find this one before monkey-patching Errors
class), and I'm not sure it will be.
So it's up to you.
Upvotes: 9
Reputation: 22899
Here's an example that could stand some DRYing:
def join_model_and_association_errors!(model)
klass = model.class
has_manys = klass.reflect_on_all_associations(:has_many)
has_ones = klass.reflect_on_all_associations(:has_one)
belong_tos = klass.reflect_on_all_associations(:belongs_to)
habtms = klass.reflect_on_all_associations(:has_and_belongs_to_many)
collection_associations = [has_manys, habtms].flatten
instance_associations = [has_ones, belong_tos].flatten
(collection_associations + instance_associations).each do |association|
model.errors.delete(association.name)
end
collection_associations.each do |association|
model.send(association.name).each do |child|
next if child.valid?
errors = child.errors.full_messages
model.errors[:base] << "#{association.class_name} Invalid: #{errors.to_sentence}"
end
end
instance_associations.each do |association|
next unless child = model.send(association.name)
next if child.valid?
errors = child.errors.full_messages
model.errors[:base] << "#{association.class_name} Invalid: #{errors.to_sentence}"
end
model.errors
end
Upvotes: 0
Reputation: 64363
Add a validation block in the School
model to merge the errors:
class School < ActiveRecord::Base
has_many :students
validate do |school|
school.students.each do |student|
next if student.valid?
student.errors.full_messages.each do |msg|
# you can customize the error message here:
errors.add_to_base("Student Error: #{msg}")
end
end
end
end
Now @school.errors
will contain the correct errors:
format.xml { render :xml => @school.errors, :status => :unprocessable_entity }
Note:
You don't need a separate method for adding a new student to school, use the following syntax:
school.students.build(:email => email)
errors.add_to_base
has been dropped from Rails 3.0 and above and should be replaced with:
errors[:base] << "Student Error: #{msg}"
Upvotes: 79
Reputation: 1062
I'm not sure if this is the best (or a correct) answer...i'm still learning, but I found this to work pretty well. I haven't tested it extensively, but it does seem to work with rails4:
validate do |school|
school.errors.delete(:students)
school.students.each do |student|
next if student.valid?
school.errors.add(:students, student.errors)
end
end
Upvotes: 1
Reputation: 8602
I see a problem in the posted code. add_student
is a class method of class School
, so self
will point to the class object School
instead of an instance object of class School
. The line students << s
will not add the record s
to the record school
because of this.
I don't know if this is causing your error message problem, but I think this will keep the code from working properly.
Upvotes: 0
Reputation: 47522
You should use following in the rhtml.
<%= error_messages_for :school, :student %>
To skip "Students is invalid" message use following in the student.rb
def after_validation
# Skip errors that won't be useful to the end user
filtered_errors = self.errors.reject{ |err| %w{ student}.include?(err.first) }
self.errors.clear
filtered_errors.each { |err| self.errors.add(*err) }
end
EDITED
Sorry after_validation must be in a school.rb
Upvotes: 0