我有两个查询,我需要一个or
,即我想要第一个或第二个查询返回的结果。
第一个查询是一个简单的where()
,它可以获取所有可用的项目。
@items = @items.where(available: true)
其次包括join()
并提供当前用户的项目。
@items =
@items
.joins(:orders)
.where(orders: { user_id: current_user.id})
我尝试以各种形式将这些与Rails的or()
方法结合起来,包括:
@items =
@items
.joins(:orders)
.where(orders: { user_id: current_user.id})
.or(
@items
.joins(:orders)
.where(available: true)
)
但是我一直遇到这个错误而且我不确定如何修复它。
Relation passed to #or must be structurally compatible. Incompatible values: [:references]
答案 0 :(得分:15)
有known issue about it on Github。
根据this comment,您可能希望覆盖structurally_incompatible_values_for_or
以解决此问题:
def structurally_incompatible_values_for_or(other)
Relation::SINGLE_VALUE_METHODS.reject { |m| send("#{m}_value") == other.send("#{m}_value") } +
(Relation::MULTI_VALUE_METHODS - [:eager_load, :references, :extending]).reject { |m| send("#{m}_values") == other.send("#{m}_values") } +
(Relation::CLAUSE_METHODS - [:having, :where]).reject { |m| send("#{m}_clause") == other.send("#{m}_clause") }
end
此外,始终有一个使用SQL的选项:
@items
.joins(:orders)
.where(
"orders.user_id = ? OR items.available = true",
current_user.id
)
答案 1 :(得分:7)
您可以用这种古老的方式编写查询以避免错误
@items = @items.joins(:orders).where("items.available = ? OR orders.user_id = ?", true, current_user.id)
希望有所帮助!
答案 2 :(得分:6)
hacky 解决方法:在 .joins
之后执行所有 .or
。这对检查器隐藏了违规的 .joins
。也就是将原题中的代码转换为...
@items =
@items
.where(orders: { user_id: current_user.id})
.or(
@items
.where(available: true)
)
.joins(:orders) # sneaky, but works! ?
更一般的,下面两行都会失败
A.joins(:b).where(bs: b_query).or(A.where(query)) # error! ?
A.where(query).or(A.joins(:b).where(bs: b_query)) # error! ?
但重新排列如下,你可以逃避检查:
A.where(query).or(A.where(bs: b_query)).joins(:b) # works ?
这是可行的,因为所有检查都发生在 .or()
方法中。它很幸运地没有意识到其下游结果的恶作剧。
当然一个缺点是它读起来不太好。