Heim > Artikel > Backend-Entwicklung > PHP模拟SQL的GROUP BY算法
BY JENNER · 2015年1月24日· 阅读次数:25
github地址:https://github.com/huyanping/Zebra-PHP-ArrayGroupBy
packagist地址:https://packagist.org/packages/jenner/array_group_by
在如下场景中,我们总是希望能够在php中使用类似mysql的groupby操作:
示例:
$records = [ ['order_date' => '2014-01-01', 'price' => 5], ['order_date' => '2014-01-02', 'price' => 10], ['order_date' => '2014-01-03', 'price' => 20], ['order_date' => '2015-01-04', 'price' => 25],];$group_by_fields = [ 'order_date' => function($value){ return date('Y', strtotime($value)); }];$group_by_value = [ 'order_date' => [ 'callback' => function($value_array){ return substr($value_array[0], 0, 4); }, 'as' => 'year' ], 'price' => function($value_array){ return array_sum($value_array); },];$grouped = \Jenner\Zebra\ArrayGroupBy::groupBy($records, $group_by_fields, $group_by_value);print_r($grouped);
结果:
Array( [0] => Array ( [year] => 2014 [price] => 35 ) [1] => Array ( [year] => 2015 [price] => 25 ))
你也可以使用链式方法调用,对数据进行多次汇总,更加灵活:
$records = [ ['bill_time'=>'2014-01-01 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-01 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-01 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-01 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-01 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-01 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-02 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-02 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-02 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-02 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-02 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-03 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-03 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-03 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-03 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-03 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-04 00:00:00', 'price'=>1, 'cnt'=>3,], ['bill_time'=>'2014-01-04 00:00:00', 'price'=>1, 'cnt'=>3,],];$group_by_fields = [ 'bill_time' => function($field){ return substr($field, 0, 10); }];$group_by_values = [ 'bill_time' => function($field_values){ return substr($field_values[0], 0, 10); }, 'price' => function($field_values){ return array_sum($field_values); }, 'cnt' => function($field_values){ return array_sum($field_values); }];$week_fields = [ 'bill_time' => function($field){ return date('w', strtotime($field)); }];$week_values = [ 'bill_time' => function($field_values){ return date('w', strtotime($field_values[0])); }, 'price' => function($field_values){ return array_sum($field_values); }, 'cnt' => function($field_values){ return array_sum($field_values); }];$grouped = (new \Jenner\Zebra\ArrayGroupBy($records))->groupByField($group_by_fields)->groupByValue($group_by_values)->groupByField($week_fields)->groupByValue($week_values)->get();print_r($grouped);
举例