Laravel 集合的“when”方法
发表于 作者: Eric L. Barnes
从 v5.4.12 开始,Laravel 集合现在包含一个 when
方法,它允许您在不破坏链的情况下对项目执行条件操作。
像所有其他 Laravel 集合 方法一样,此方法有很多用例,但我想起的一个例子是能够根据查询字符串参数进行过滤。
为了演示这个例子,让我们假设我们有一个来自 Laravel 新闻播客 的主持人列表。
$hosts = [ ['name' => 'Eric Barnes', 'location' => 'USA', 'is_active' => 0], ['name' => 'Jack Fruh', 'location' => 'USA', 'is_active' => 0], ['name' => 'Jacob Bennett', 'location' => 'USA', 'is_active' => 1], ['name' => 'Michael Dyrynda', 'location' => 'AU', 'is_active' => 1],];
以前,为了根据查询字符串进行过滤,您可能会这样做:
$inUsa = collect($hosts)->where('location', 'USA'); if (request('retired')) { $inUsa = $inUsa->filter(function($employee){ return ! $employee['is_active']; });}
使用新的 when
方法,您现在可以在一个集合链中完成这一切:
$inUsa = collect($hosts) ->where('location', 'USA') ->when(request('retired'), function($collection) { return $collection->reject(function($employee){ return $employee['is_active']; }); });