我正在使用 Laravel Eloquent 查询构建器,并且我有一个查询,我想要一个WHERE关于多个条件的子句。它有效,但并不优雅。
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();
有没有更好的方法来做到这一点,还是我应该坚持这种方法?
在 Laravel 5.3中(在7.x中仍然如此),您可以使用更细粒度的 wheres 作为数组传递:
$query->where([ ['column_1', '=', 'value_1'], ['column_2', '<>', 'value_2'], [COLUMN, OPERATOR, VALUE], ... ])
就我个人而言,我还没有通过多次调用找到这个用例where,但事实是你可以使用它。
where
自 2014 年 6 月起,您可以将数组传递给where
只要你想要所有的wheresuseand运算符,你可以这样分组:
wheres
and
$matchThese = ['field' => 'value', 'another_field' => 'another_value', ...]; // if you need another group of wheres as an alternative: $orThose = ['yet_another_field' => 'yet_another_value', ...];
然后:
$results = User::where($matchThese)->get(); // with another group $results = User::where($matchThese) ->orWhere($orThose) ->get();
以上将导致这样的查询:
SELECT * FROM users WHERE (field = value AND another_field = another_value AND ...) OR (yet_another_field = yet_another_value AND ...)