1

我知道如何将以下内容转换为使用严格的 Arel 方法,而不是混合 sql/string,但我不知道如何将生成的 arel 对象合并到 ActiveRecord::Relation 中,以便我可以在其上链接更多 AR::Relation 方法.

对于我之前的问题,我得到了以下非常有用的答案:

class Address < ActiveRecord::Base
  scope :anywhere, lambda{|search|
    attrs = [:line1, :line2, :city, :state, :zip]
    where(attrs.map{|attr| 
      "addresses.#{attr} LIKE :search"
    }.join(' OR '), search: "#{search}%").order(*attrs) 
  }
end

Person.joins(:address).merge(Address.anywhere(query_term))

我试图做这样的事情:

class Address < ActiveRecord::Base
  scope :anywhere, lambda{|search|
    addr_arel = Address.arel_table
    attrs = [:line1, :line2, :city, :state, :zip]
    attrs.inject {|attr| 
      q = addr_arel[attr].match("%#{search}%") unless q
      q = q.or(addr_arel[attr].match("%#{search}%")
    }
  }
end

但我最终得到了一个 arel 对象,我不知道如何将它与以下 ActiveRecord::Relation 合并:

Person.joins(:address).merge(Address.anywhere(query_term))

(更不用说注入也不是很优雅——我该如何改进呢?)

4

1 回答 1

2

ActiveRecord::Relation.where 接受一个 ARel 谓词,因此在这种情况下,您可以直接将最终谓词传递给 Address.where。

class Address < ActiveRecord::Base
  scope :anywhere, -> search {
    addr_arel = Address.arel_table
    attrs = [:line1, :line2, :city, :state, :zip]

    where attrs
      .map {|attr| addr_arel[attr].matches("%#{search}%")}
      .inject(:or)
  }
end
于 2014-04-02T20:08:15.123 回答