Rails ActiveRecord处理不是主键的id列

时间:2014-04-25 16:25:41

标签: mysql ruby-on-rails rails-activerecord primary-key

使用ActiveRecord自动将:id属性指定为主键,即使它是一个单独的列。

Table - legacy-table

    id - int
    pk_id - int (primary key)
    name - varchar2
    info - varchar2

模型

class LegacyModel < ActiveRecord::Base
  self.table_name = 'legacy-table'
  self.primary_key = 'pk_id'
  default_scope {order(:name => :asc)}
  alias_attribute :other_id, :id

end

我不关心ActiveRecord是否自动将主键(pk_id)分配给:id属性,但是我失去了对实际id列的所有访问权限。尝试使用别名只会让我回到主键上。

然而,对此问题的一个警告是,从视图中我可以使用@legacymodel [:id]访问id列。但是再次调用@ legacymodel.id时,我得到了pk_id列的值。我想要的是能够调用@ legacymodel.other_id并让它指向id列。相反,@ legacymodel.service_id,@ legacymodel.id和@ legacymodel.pk_id都指向同一列pk_id

请注意,这是一个遗留数据库,修改列是不可能的。我正在使用Rails 4和MySql。

反正有代码吗? @legacymodel [:id]为什么给我不同的结果然后@ legacymodel.id?

2 个答案:

答案 0 :(得分:3)

read_attribute method将从@attributes哈希中读取一个值。 [] method使用read_attribute。因此@legacymodel[:id]获取id列的值。

write_attribute method总是尝试将id翻译成主键的名称...

# ActiveRecord::AttributeMethods::Write
def write_attribute(attr_name, value)
  attr_name = attr_name.to_s
  attr_name = self.class.primary_key if attr_name == 'id' && self.class.primary_key

...而[]= method使用write_attribute。因此,@legacymodel[:id] = <value>会将值设置为主键列pk_id

id method是一种特殊方法,此处为primary_key别名:

# ActiveRecord::AttributeMethods::PrimaryKey
if attr_name == primary_key && attr_name != 'id'
  generated_attribute_methods.send(:alias_method, :id, primary_key)
end

因此@legacymodel.id将获得pk_id列的值。

如果您只想通过id阅读@legacymodel.other_id列,那么您可以定义以下方法:

# LegacyModel class
def other_id
  self[:id]
end

但是,如果您还需要通过id写入@legacymodel.other_id=列,那么您可能需要尝试找到一种安全方法来覆盖write_attribute方法,以便您可以工作围绕attr_name = self.class.primary_key if attr_name == 'id' && self.class.primary_key声明。

答案 1 :(得分:2)

@cschroed的答案在最新的Rails(v4.2)中对我不起作用。深入研究Rails源代码,如果密钥传递等于'id',read_attribute似乎也将使用主键值:

  ID = 'id'.freeze

  # Returns the value of the attribute identified by <tt>attr_name</tt> after
  # it has been typecast (for example, "2004-12-12" in a date column is cast
  # to a date object, like Date.new(2004, 12, 12)).
  def read_attribute(attr_name, &block)
    name = attr_name.to_s
    name = self.class.primary_key if name == ID
    _read_attribute(name, &block)
  end

https://github.com/rails/rails/blob/4-2-stable/activerecord/lib/active_record/attribute_methods/read.rb

由于[]方法使用read_attribute,因此不再有效。

我发现直接从属性hash读取工作:

# LegacyModel class
def other_id
  @attributes.fetch_value('id')
end

这提供了一种通过模仿read_attribute绕过_read_attribute的方法。