在 Laravel Eloquent 中构建数据库查询时,您可能会遇到需要使用 where 子句指定多个条件的场景。虽然级联多个 where 调用是一种常见方法,但还有更优雅的替代方法可供考虑。
Laravel 提供了更简洁的方法使用数组指定多个 where 条件:
$query->where([ ['column_1', '=', 'value_1'], ['column_2', '<>', 'value_2'], // ... ]);
此方法允许您将多个 where 子句分组单个函数调用。
在 Laravel 5.3 之前,您可以使用数组来指定多个 where 条件,如果它们都使用相同的运算符(通常'and'):
$matchThese = ['field' => 'value', 'another_field' => 'another_value']; $results = User::where($matchThese)->get();
此方法将生成类似的查询到:
SELECT * FROM users WHERE field = value AND another_field = another_value
如果您需要更复杂的条件,您可以在 where 子句中使用子查询:
$subquery = User::where(...)->select('id')->where(...); $results = User::whereIn('id', $subquery)->get();
在这个例子中,子查询返回一组满足特定条件的ID,然后用这些ID来过滤主查询
为了说明这一点,请考虑以下查询,该查询检索具有特定条件的用户:
$results = User::where('active', 1) ->where('verified', 1) ->where('country', 'United States') ->get();
使用上述替代方法,查询可以是写为:
// Array-based where (Laravel 5.3 and later) $conditions = [ ['active', '=', 1], ['verified', '=', 1], ['country', '=', 'United States'], ]; $results = User::where($conditions)->get(); // Array method (prior to Laravel 5.3) $matchThese = ['active' => 1, 'verified' => 1, 'country' => 'United States']; $results = User::where($matchThese)->get();
通过利用这些技术,您可以创建更简洁和可读的查询,从而增强您的可维护性代码。
以上是如何在 Laravel Eloquent 中高效地编写多个 WHERE 子句?的详细内容。更多信息请关注PHP中文网其他相关文章!