如何or
在Rails 5 ActiveRecord中进行查询?此外,是否有可能链or
与where
在ActiveRecord的查询?
如何or
在Rails 5 ActiveRecord中进行查询?此外,是否有可能链or
与where
在ActiveRecord的查询?
Answers:
能够链接or
连同条款where
条款ActiveRecord
查询将在现有的Rails 5。请参阅相关讨论和请求请求。
因此,您将能够在Rails 5中执行以下操作:
为了得到一个post
与id
1或2:
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)
Post.where(a).or(Post.where(b)).where(Post.where(c).or(Post.where(d)))
这应该创建(a || b)&&(c || d)
ArgumentError: Unsupported argument type: #<MyModel::ActiveRecord_Relation:0x00007f8edbc075a8> (MyModel::ActiveRecord_Relation)
我需要做一个 (A && B) || (C && D) || (E && F)
但是在Rails 5.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')
。
.merge
&&等价使用,并构建适当的树来捕获您的括号。就像... (scopeA.merge(scopeB)).or(scopeC.merge(scopeD)).or(scopeE.merge(scopeF))
,假设每个范围看起来像Model.where(...)