我想做一个ActiveRecord对象的副本,改变进程中的一个字段(除了id)。要做到这一点,最简单的方法是什么?
我意识到我可以创建一个新记录,然后遍历每个字段,逐字段复制数据—但我认为一定有更简单的方法来做到这一点。
也许是这样的:
new_record = Record.copy(:id)
我想做一个ActiveRecord对象的副本,改变进程中的一个字段(除了id)。要做到这一点,最简单的方法是什么?
我意识到我可以创建一个新记录,然后遍历每个字段,逐字段复制数据—但我认为一定有更简单的方法来做到这一点。
也许是这样的:
new_record = Record.copy(:id)
当前回答
试试rails的dup方法:
new_record = old_record.dup.save
其他回答
简单的方法是:
#your rails >= 3.1 (i was done it with Rails 5.0.0.1)
o = Model.find(id)
# (Range).each do |item|
(1..109).each do |item|
new_record = o.dup
new_record.save
end
Or
# if your rails < 3.1
o = Model.find(id)
(1..109).each do |item|
new_record = o.clone
new_record.save
end
要获得副本,使用dup(或clone for < rails 3.1+)方法:
#rails >= 3.1
new_record = old_record.dup
# rails < 3.1
new_record = old_record.clone
然后您可以更改任何您想要的字段。
ActiveRecord覆盖了内置的object#克隆,为您提供了一个新的(未保存到DB)记录,该记录具有未分配的ID。 请注意,它不会复制关联,因此如果需要,您必须手动执行此操作。
Rails 3.1克隆是一个浅拷贝,使用dup代替…
试试rails的dup方法:
new_record = old_record.dup.save
您还可以检查acts_as_inheritable gem。
Acts As Inheritable是一个Ruby Gem,专门为Rails/ActiveRecord模型编写。它意味着与自引用关联一起使用,或者与具有共享可继承属性的父级的模型一起使用。这将允许您从父模型继承任何属性或关系。”
通过将acts_as_inheritable添加到您的模型中,您将可以访问这些方法:
inherit_attributes
class Person < ActiveRecord::Base
acts_as_inheritable attributes: %w(favorite_color last_name soccer_team)
# Associations
belongs_to :parent, class_name: 'Person'
has_many :children, class_name: 'Person', foreign_key: :parent_id
end
parent = Person.create(last_name: 'Arango', soccer_team: 'Verdolaga', favorite_color:'Green')
son = Person.create(parent: parent)
son.inherit_attributes
son.last_name # => Arango
son.soccer_team # => Verdolaga
son.favorite_color # => Green
inherit_relations
class Person < ActiveRecord::Base
acts_as_inheritable associations: %w(pet)
# Associations
has_one :pet
end
parent = Person.create(last_name: 'Arango')
parent_pet = Pet.create(person: parent, name: 'Mango', breed:'Golden Retriver')
parent_pet.inspect #=> #<Pet id: 1, person_id: 1, name: "Mango", breed: "Golden Retriver">
son = Person.create(parent: parent)
son.inherit_relations
son.pet.inspect # => #<Pet id: 2, person_id: 2, name: "Mango", breed: "Golden Retriver">
希望这能帮助到你。
我通常只是复制属性,改变任何我需要改变的:
new_user = User.new(old_user.attributes.merge(:login => "newlogin"))