使用 Laravel Eloquent 构建具有多个 WHERE 子句的查询
考虑以下场景:您正在使用 Laravel 的 Eloquent 查询构建器并且需要创建具有针对不同条件的多个 WHERE 子句的查询。虽然可以通过多个 where 方法调用来做到这一点,但这种方法可能会变得重复且笨拙。
为了解决这个问题,Laravel 提供了几种替代选项来更优雅地构建此类查询。
在 where
中使用一系列条件
$query->where([ ['column_1', '=', 'value_1'], ['column_2', '<>', 'value_2'], // ... ]);
从 Laravel 5.3 开始,您可以在传递给 where 方法的数组中指定多个条件:
在 where 中使用数组
$matchThese = ['field' => 'value', 'another_field' => 'another_value', ...]; $results = User::where($matchThese)->get();
在 Laravel 5.3 之前,你还可以使用数组指定条件 where:
使用orWhere
$results = User::where($matchThese) ->orWhere($orThose) ->get();
或者,您可以使用 orWhere 对条件进行分组:
结果 SQL 查询
SELECT * FROM users WHERE (field = value AND another_field = another_value AND ...) OR (yet_another_field = yet_another_value AND ...)
使用 orWhere 方法将生成一个与此类似的查询:
这些技术使您能够以更简洁和可维护的方式构建具有多个 WHERE 子句的查询。以上是如何使用多个 WHERE 子句高效构建 Laravel Eloquent 查询?的详细内容。更多信息请关注PHP中文网其他相关文章!