PHP排序多维数组的最佳方式



可能重复:
如何在php中对多维数组进行排序

假设我有以下多维数组:

$fruits[] = array("name"=>"orange", "price"=>3, "code"=>"A45");
$fruits[] = array("name"=>"apple", "price"=>2, "code"=>"W71");
$fruits[] = array("name"=>"grape", "price"=>4, "code"=>"G11");

然后我想根据它的price对这个$fruits[]数组进行排序
所以它应该是:

$fruits[] = array("name"=>"apple", "price"=>2, "code"=>"W71");
$fruits[] = array("name"=>"orange", "price"=>3, "code"=>"A45");
$fruits[] = array("name"=>"grape", "price"=>4, "code"=>"G11");

然后我在网上浏览了很多,最后我从php manual中找到了以下一个(我用上面的数组调整了变量名(:

// Obtain a list of columns
foreach ($fruits as $key => $value) {
    $name[$key]  = $value['name'];
    $price[$key] = $value['price'];
    $code[$key] = $value['code'];
}
// Sort the data with volume descending, edition ascending
// Add $data as the last parameter, to sort by the common key
array_multisort($price, SORT_ASC, $fruits);

好的,明白了!然后用CCD_ 5值对CCD_
好吧,以下是我的一些担忧:

  • 就我之前所学到的,我们不应该添加/使用任何额外的/定制的代码来使用排序机制。(相反,我认为我们应该使用纯的内置方法。(
  • 在这里,我怀疑它的性能,因为它内部有预先定制的foreach循环,当我们拥有真正的巨大阵列时,这可能会显著降低速度。(就像我现在一样(

所以现在我想问的是:

  • PHP有什么纯粹的方法来实现这一点吗
  • [或]难道我们不能通过仅使用/picking从一些PHP纯内置的数组排序方法(例如:sort((、usort((、asort((、Array_multisort((等(来纠正这个多维数组排序问题吗
usort ($fruits, function($a, $b) { return $a['price'] > $b['price'] ? 1 : ($a['price'] == $b['price'] ? 0 : -1); });

usort听起来像你想要的:

<?
$fruits[] = array("name"=>"orange", "price"=>3, "code"=>"A45");
$fruits[] = array("name"=>"apple", "price"=>2, "code"=>"W71");
$fruits[] = array("name"=>"grape", "price"=>4, "code"=>"G11");
usort($fruits, function($a, $b){return $a['price'] - $b['price'];});
print_r($fruits);
?>

生产:

Array
(
    [0] => Array
        (
            [name] => apple
            [price] => 2
            [code] => W71
        )
    [1] => Array
        (
            [name] => orange
            [price] => 3
            [code] => A45
        )
    [2] => Array
        (
            [name] => grape
            [price] => 4
            [code] => G11
        )
)

相关内容

  • 没有找到相关文章

最新更新