在PHP中按4个键或列对数组进行排序

时间:2013-02-23 12:34:46

标签: php arrays sorting

我正在尝试使用array_multisort()对数组进行排序,但它似乎只对第一列进行排序。我想按4列排序。这是我的功能。

function array_sort_by_column(&$arr, $col, $col2, $col3, $col4, $dir = SORT_DESC) {
    foreach ($arr as $key => $row) {
        $sort_col[$key] = $row[$col];
        $sort_col2[$key] = $row[$col2];
        $sort_col3[$key] = $row[$col3];
        $sort_col4[$key] = $row[$col4];
    }
    array_multisort($sort_col, $dir, $sort_col2, $dir, $sort_col3, $dir, $sort_col4, $dir, $arr);
}

这里的输入是$ arr的二维数组,然后是我想要按$ col1,$ col2,$ col3和$ col4排序的列名。

编辑:抱歉,我的意思是二维数组

示例:

$arr = array(
    0 => array(
        'group_id' => '1',
        'points' => '5',
        'rank' => '10',
        'diff' => '1'
    ),
    1 => array(
        'group_id' => '1',
        'points' => '1',
        'rank' => '2',
        'diff' => '4'
    ),
    2 => array(
        'group_id' => '2',
        'points' => '1',
        'rank' => '1',
        'diff' => '2'
    ),
    3 => array(
        'group_id' => '2',
        'points' => '9',
        'rank' => '0',
        'diff' => '-11'
    ),
);

array_sort_by_column($arr, 'group_id', 'points', 'rank', 'diff');

1 个答案:

答案 0 :(得分:0)

正如Barmar指出的那样,您需要使用usort。您应该将所有排序功能放在一个函数或类方法中:

public function sort($a, $b) 
{
    $key = $this->sort_key;
    $asc = $this->sort_asc;

    if (gettype($a[$key]) == 'integer') {
        if ($a[$key] == $b[$key]) return 0;
        if ($asc == 'asc') {
            return ($a[$key] < $b[$key]) ? -1 : 1;
        } elseif ($asc == 'desc') {
            return ($a[$key] > $b[$key]) ? -1 : 1;
        }
    } elseif (gettype($a[$key]) == 'string') {

        $valA = preg_replace("/[^A-Za-z0-9]/", "", strtolower($a[$key]));
        $valB = preg_replace("/[^A-Za-z0-9]/", "", strtolower($b[$key]));

        if ($asc == 'asc') {
            return strcmp($valA, $valB);
        } elseif ($asc == 'desc') {
            return strcmp($valB, $valA);
        }
    }   
}

并像这样调用它:

$this->sort_key = 'group_id';
$this->sort_asc = 'asc';
usort($array, array($this, 'sort'));

您需要确保自己身处class。上面的方法还允许您对字符串而不仅仅是整数进行排序(即将来可以重复使用它)。