你如何在Rails 5 ActiveRecord中进行or
查询?另外,是否可以在 ActiveRecord 查询中链接?or
where
5 回答
Rails 5将提供在查询中链接or
子句和where
子句的能力。请参阅相关讨论和拉取请求。ActiveRecord
因此,您将能够在Rails 5中执行以下操作:
要获得1 或 2post
的a:id
Post.where('id = 1').or(Post.where('id = 2'))
其他一些例子:
(A && B) || C:
Post.where(a).where(b).or(Post.where(c))
(A || B) && C:
Post.where(a).or(Post.where(b)).where(c)
(只是对 KM Rakibul Islam 答案的补充。)
使用范围,代码可以变得更漂亮(取决于眼睛看):
scope a, -> { where(a) }
scope b, -> { where(b) }
scope a_or_b, -> { a.or(b) }
我需要做一个(A && B) || (C && D) || (E && F)
但是在 Rails5.1.4
的当前状态下,这太复杂了,无法使用 Arel 或链来完成。但我仍然想使用 Rails 生成尽可能多的查询。
所以我做了一个小技巧:
在我的模型中,我创建了一个名为的私有方法sql_where
:
private
def self.sql_where(*args)
sql = self.unscoped.where(*args).to_sql
match = sql.match(/WHERE\s(.*)$/)
"(#{match[1]})"
end
接下来在我的范围内,我创建了一个数组来保存 OR
scope :whatever, -> {
ors = []
ors << sql_where(A, B)
ors << sql_where(C, D)
ors << sql_where(E, F)
# Now just combine the stumps:
where(ors.join(' OR '))
}
这将产生预期的查询结果:
SELECT * FROM `models` WHERE ((A AND B) OR (C AND D) OR (E AND F))
。
现在我可以轻松地将它与其他范围等结合起来,而不会出现任何错误的 OR。
美妙之处在于我的 sql_where 采用正常的 where 子句参数:
sql_where(name: 'John', role: 'admin')
将生成(name = 'John' AND role = 'admin')
.
Rails 5 具有 foror
子句的能力where
。例如。
User.where(name: "abc").or(User.where(name: "abcd"))