获取 Laravel 5.2 集合中具有列名称的唯一值的计数

Get count of unique values with the column name in Laravel 5.2 Collection

我正在尝试从我的产品 Table 中获取独特品牌的数量以及它们在 Laravel 集合中的数量。

我能够使用产品的特定查询来做到这一点,但我现在使用集合的原因是因为我还想获得产品的产品来源(国家/地区)、条件(二手/新)产品,我认为使用一个查询中的集合比对每个数据进行三个单独的查询要好得多。

下面的代码有效,但它没有显示每个独特品牌的数量。

这是Table

这是我的控制器

$products = DB::table('products')
 ->select('products.*')
 ->whereNull('products.deleted_at')
 ->get();

$BrandCollection = collect($products);
$Brands = $BrandCollection->unique('Brand')->sortBy('Brand')->keyBy('Brand')->pluck('Brand');

所以,我要找的结果是

HP 3
东芝 2
联想 1

我认为可以使用 concat 来收集,但由于我在 Laravel 5.2,我正在寻找其他解决方案。

如果你真的想使用集合(不是Eloquent)你可以这样做:

$brandsWithCount = $BrandCollection->groupBy('Brand')->map(function($values) {
    return $values->count();
})->sort()->reverse();

例如,如果您这样设置 $brandCollection

$BrandCollection = collect([
    ['Brand' => 'HP'],
    ['Brand' => 'HP'],
    ['Brand' => 'HP'],
    ['Brand' => 'Toshiba'],
    ['Brand' => 'Toshiba'],
    ['Brand' => 'Lenovo'],
]);

结果将是:

Collection {#372
  #items: array:3 [
    "HP" => 3
    "Toshiba" => 2
    "Lenovo" => 1
  ]
}

符合预期。

有一个名为 CountBy 的收集助手,可以满足您的需求。

Collections CountBy

$BrandCollection->countBy('Brand');

如期回归

#items: array:3 [
    "HP" => 3
    "Toshiba" => 2
    "Lenovo" => 1
  ]

简单:D