php 对2d数组中的行进行分组并计算每个相应组中的行数

8nuwlpux  于 2023-04-19  发布在  PHP
关注(0)|答案(5)|浏览(145)

我有一个200个项目的数组。我想输出数组,但用一个共同的值分组的项目。类似于SQL的GROUP BY方法。这应该是相对容易做到的,但我也需要一个计数的组项目。
有没有人有这样做的有效方法?这将发生在每个页面加载,所以我需要它是快速和可扩展的。
我是否可以将结果转储到Lucene或SQLite之类的东西中,然后在每次加载页面时对该文档运行一个查询?

dldeef67

dldeef671#

只需遍历数组并为组使用另一个数组。它应该足够快,并且可能比使用sqlite或类似方法时所涉及的开销更快。

$groups = array();
foreach ($data as $item) {
    $key = $item['key_to_group'];
    if (!isset($groups[$key])) {
        $groups[$key] = array(
            'items' => array($item),
            'count' => 1,
        );
    } else {
        $groups[$key]['items'][] = $item;
        $groups[$key]['count'] += 1;
    }
}
fivyi3re

fivyi3re2#

$groups = array();
foreach($items as $item)
    $groups[$item['value']][] = $item;
foreach($groups as $value => $items)
    echo 'Group ' . $value . ' has ' . count($items) . ' ' . (count($items) == 1 ? 'item' : 'items') . "\n";
kxkpmulp

kxkpmulp3#

$aA = array_count_values(array(1,2,3,4,5,1,2,3,4,5,6,1,1,1,2,2));
$aB = array();
foreach($aA as $index=>$aux){
     array_push($aB,$index);
}
print_r($aB);

结果:

Array ( [0] => 1 [1] => 2 [2] => 3 [3] => 4 [4] => 5 [5] => 6 )
qojgxg4l

qojgxg4l4#

无样本数据(最小的,在这个问题中,很难自信地给予关于最佳方法的精确建议一种方法是在结果数组中使用临时分组键。如果以前没有遇到过标识键,则将遇到的整行和附加的count元素存储在结果数组中。追加的元素应该有一个0的值。然后无条件地递增count的值。当循环结束时,如果你不想要分组键,你可以调用array_values()
代码:(Demo

$result = [];
foreach ($array as $row) {
    $result[$row['group']] ??= $row + ['count' => 0]; // only save 1st of group with 0 count
    ++$result[$row['group']]['count']; // increment the count
}
var_export(array_values($result));
w6mmgewl

w6mmgewl5#

"$Switches" Array with [3] elements
0       
    SwitchID    1   
    name    k�  
    type    output  
    displayAs   button  
    value   on  
    groupname   group1  
1   Array [6]   
2   Array [6]   

// this will sort after groupname

$result = array();
$target = count($Switches);
for($i=0;$i<$target;$i++)
{
    $groupname = $Switches[$i]["groupname"];

    $result[$groupname][] = $Switches[$i];
}

// count amount of groups
$groupCount = count($result);

……还是我错过了什么?

相关问题