Reputation: 6493
I have a field that I would like to validate. I want the field to be able to be left blank, but if a user is entering data I want it to be in a certain format. Currently I am using the below validations in the model, but this doesn't allow the user to leave it blank:
validates_length_of :foo, :maximum => 5
validates_length_of :foo, :minimum => 5
How do I write this to accomplish my goal?
Upvotes: 112
Views: 114361
Reputation: 146043
I think it might need something like:
validates_length_of :foo, minimum: 5, maximum: 5, allow_blank: true
More examples: ActiveRecord::Validations::ClassMethods
Upvotes: 152
Reputation: 131
Add in your model:
validates :color, length: { is: 7 }
color is a string:
t.string :color, null: false, default: '#0093FF', limit: 7
Upvotes: -1
Reputation: 34013
Or even more concise (with the new hash syntax), from the validates documentation:
validates :foo, length: 5..5, allow_blank: true
The upper limit should probably represent somehting more meaningful like "in: 5..20", but just answering the question to the letter.
Upvotes: 17
Reputation: 11414
validates_length_of :reason, minimum: 3, maximum: 30
rspec for the same is
it { should validate_length_of(:reason).is_at_least(3).is_at_most(30) }
Upvotes: 2
Reputation: 2179
You can also use this format:
validates :foo, length: {minimum: 5, maximum: 5}, allow_blank: true
Or since your min and max are the same, the following will also work:
validates :foo, length: {is: 5}, allow_blank: true
Upvotes: 165
Reputation: 474
In your model e.g.
def validate
errors.add_to_base 'error message' unless self.foo.length == 5 or self.foo.blanc?
end
Upvotes: -4
Reputation: 8094
every validates_* accepts :if or :unless options
validates_length_of :foo, :maximum => 5, :if => :validate_foo_condition
where validate_foo_condition is method that returns true or false
you can also pass a Proc object:
validates_length_of :foo, :maximum => 5, :unless => Proc.new {|object| object.foo.blank?}
Upvotes: 3
Reputation: 138032
From the validates_length_of documentation:
validates_length_of :phone, :in => 7..32, :allow_blank => true
:allow_blank
- Attribute may be blank; skip validation.
Upvotes: 13