2

我的用户模型没有:name字段,但我想:name在我的注册表单中包含一个字段,该字段将用于在after_create.

class User < ActiveRecord::Base
  after_create :create_thing

private
  def create_thing
    @thing = Thing.new
    @thing.name = <here's where I need help>
    @thing.save!
  end
end

如何从注册表单中获取姓名?

4

2 回答 2

4

在您的模型中添加 attr_accessor 作为名称

attr_accessor :name

这将允许您将其添加到表单中并使用它在 after_create 中生成正确的数据

于 2013-09-29T17:29:54.213 回答
2

正如@trh 所说,您可以使用 attr_accessor,但如果您需要让它执行一些逻辑,您需要制作 getter 和/或 setter 方法来伴随 attr_accessor。

class User < ActiveRecord::Base
  attr_accessor :name
  after_create :create_thing

  def name
    #if need be do something to get the name 
    "#{self.first_name} #{self.last_name}"
  end

  def name=(value)
    #if need be do something to set the name 
    names = value.split
    @first_name = names[0]
    @last_name = names[1]
  end

  private
  def create_thing
    @thing = Thing.new
    @thing.name = self.name
    @thing.save!
  end
end
于 2013-09-29T21:18:13.280 回答