Validates_uniqueness_of :username, :if => !self.new_record?

Hi all

I want users to register on my page. To register, they only have to
deliver an email and a password. Then a link with an activation token
will be sent to them, and after clicking the link the user sees a page
where he should fill in further details, means: a username.

My model looks like this:

class Member < ActiveRecord::Base
validates_presence_of :username, :if => !self.new_record?
end

Sadly this does not work: it tells me “undefined method `new_record?’
for Member:Class”.

Where’s the problem? Shouldn’t any ActiveRecord class have a method
called ‘new_record?’?

Thanks for help.
Josh

I think you should probably use the :on option here:

validates_presence_of :username, :on => :update

This will only perform the validation if the record has already been
saved. Or, you can do this (not recommended):

validates_presence_of :username, :if => Proc.new { |member|
!member.new_record? }

The reason you can’t do it the way you tried is because self in that
context is referring to the Member class, not to any particular
instance.

Cheers, Jonny.

Joshua M. wrote:

Hi all

I want users to register on my page. To register, they only have to
deliver an email and a password. Then a link with an activation token
will be sent to them, and after clicking the link the user sees a page
where he should fill in further details, means: a username.

My model looks like this:

class Member < ActiveRecord::Base
validates_presence_of :username, :if => !self.new_record?
end

Sadly this does not work: it tells me “undefined method `new_record?’
for Member:Class”.

Where’s the problem? Shouldn’t any ActiveRecord class have a method
called ‘new_record?’?

Thanks for help.
Josh

Thanks a lot. What possible values does :on have?

2006/1/23, Joshua M. [email protected]:

Thanks a lot. What possible values does :on have?

:save (Always)
:create (new_record? == true)
:update (new_record? == false)

:destroy ?
:delete ?

Not sure about those two. Check the documentation at
http://api.rubyonrails.com

Bye !

Hi !

2006/1/23, Joshua M. [email protected]:

class Member < ActiveRecord::Base
validates_presence_of :username, :if => !self.new_record?
end

If you look at the documentation, you’ll see you need to pass a Proc
instance:

validates_presence_of :username, :if => Proc.new { |record|
!record.new_record? }

Alternatively, I believe you should be able to do this too:

validates_presence_of :username, :on => :update

That last part I haven’t tested.

Hope that helps !

Thanks a lot.