我有一个自定义查找器定义如下:
class ContainerGateIn << ActiveRecord::Base
...
def self.search(text)
result = if text
text.split(' ').inject(self) do |result, criteria|
case criteria
when /^[0-9]{4}-[0-9]{2}-[0-9]{2}$/
result.search_by_date(criteria.to_date)
else
result.search_by_text(criteria)
end
end
else
self
end
end
...
end
其中 search_by_date 和 search_by_text 是命名范围,eager 是一个预先加载的命名范围,定义为:
named_scope :eager, :include => [{:container_inventory => {:container => [:size_type, :grade]}}, :company, :truck, :hauler]
该关联是通过 HMT (has_many :through) 设置的:
class ContainerDepot << ActiveRecord::Base
has_many :container_inventories
has_many :container_gate_ins, :through => :container_inventories do
end
问题是如果查找器是通过 ContainerDepot 的关联嵌套调用的,它会失败并返回 ActiveRecord::Statement::Invalid,表示该表已被多次指定。
ContainerDepot.first.container_gate_ins.eager.search(text)
=> ActiveRecord::StatementInvalid: PGError: ERROR: table name "container_inventories" specified more than once
我可以通过将整个自定义查找器复制为关联扩展来纠正它:
class ContainerDepot << ActiveRecord::Base
...
has_many :container_gate_ins, :through => :container_inventories do
def search(text)
... custom finder code from ContainerGateIn ...
end
end
...
end
虽然它不是很干,并且引入了非常不必要且可能有问题的冗余,因为必须不时更改自定义查找器以适应额外的搜索逻辑。
关于如何做得更好的任何想法?