我使用Laravel雄辩的查询构建器,我有一个查询,我想在多个条件上有一个where子句。它能起作用,但并不优雅。
例子:
$results = User::where('this', '=', 1)
->where('that', '=', 1)
->where('this_too', '=', 1)
->where('that_too', '=', 1)
->where('this_as_well', '=', 1)
->where('that_as_well', '=', 1)
->where('this_one_too', '=', 1)
->where('that_one_too', '=', 1)
->where('this_one_as_well', '=', 1)
->where('that_one_as_well', '=', 1)
->get();
有没有更好的方法,或者我应该坚持这个方法?
使用Array的条件:
$users = User::where([
'column1' => value1,
'column2' => value2,
'column3' => value3
])->get();
将产生如下查询:
SELECT * FROM TABLE WHERE column1 = value1 and column2 = value2 and column3 = value3
使用匿名函数的条件:
$users = User::where('column1', '=', value1)
->where(function($query) use ($variable1,$variable2){
$query->where('column2','=',$variable1)
->orWhere('column3','=',$variable2);
})
->where(function($query2) use ($variable1,$variable2){
$query2->where('column4','=',$variable1)
->where('column5','=',$variable2);
})->get();
将产生如下查询:
SELECT * FROM TABLE WHERE column1 = value1 and (column2 = value2 or column3 = value3) and (column4 = value4 and column5 = value5)
多个地方
您还可以将一个条件数组传递给where函数。数组的每个元素都应该是一个数组,包含通常传递给where方法的三个参数:
Model::where([
['status', '=', '1'],
['subscribed', '<>', '1'],
])->get();
多个或Where子句
如果你需要在圆括号内对"or"条件进行分组,你可以将闭包作为第一个参数传递给orWhere方法:
Model::where('votes', '>', 100)
->orWhere(function ($query) {
$query->where('name', 'abcd')
->orWhere(function ($query) {
$query->where('name', 'cdef')
->where('votes', '>', 50);
});
})
->get();
上面的例子将产生以下SQL语句:
select * from `users` where `votes` > 100 or (`name` = "abcd" or (`name` = "cdef" and `votes` > 50));
多指针where with whereNot和orWhereNot方法
whereNot和orWhereNot方法可用于对给定的查询约束组求反。例如,以下查询排除清仓或价格小于10的产品:
$products = Product::where([
['status', '=', '1'],
['is_feature', '1']
])
->whereNot(function ($query) {
$query->where('clearance', true)
->orWhere('price', '<', 10);
})
->get();