如何使用Laravel Eloquent创建多个WHERE子句查询?

我正在使用Laravel Eloquent查询构建器,我有一个查询,我想要一个关于多个条件的子句。它有效,但它并不优雅。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();

有没有更好的方法来做到这一点,或者我应该坚持这种方法?


答案 1

Laravel 5.3中(从7.x开始仍然如此),您可以使用更精细的where作为数组传递:

$query->where([
    ['column_1', '=', 'value_1'],
    ['column_2', '<>', 'value_2'],
    [COLUMN, OPERATOR, VALUE],
    ...
])

就个人而言,我还没有在多个调用中找到它的用例,但事实是你可以使用它。where

自 2014 年 6 月起,您可以将数组传递到

只要您需要所有 use 运算符,就可以按以下方式对它们进行分组:wheresand

$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 ...)

答案 2

您可以在匿名函数中使用子查询,如下所示:

 $results = User::where('this', '=', 1)
       ->where('that', '=', 1)
       ->where(
           function($query) {
             return $query
                    ->where('this_too', 'LIKE', '%fake%')
                    ->orWhere('that_too', '=', 1);
            })
            ->get();

推荐