对多维字母数字数组(数字优先)使用usort()


Using usort() on multidimensional alphanumeric array (numbers first)

下面是我试图排序的一个数组示例:

$array = (object)array(
    'this' => 'that',
    'posts'=> array(
        'title' => '001 Chair',
        'title' => 'AC43 Table',
        'title' => '0440 Recliner',
        'title' => 'B419',
        'title' => 'C10 Chair',
        'title' => '320 Bed',
        'title' => '0114'
    ),
    'that' => 'this'
);
usort($array->posts, 'my_post_sort');

这是我用来排序的函数:

function my_post_sort($a, $b) {
    $akey = $a->title;
    if (preg_match('/^[0-9]*$',$akey,$matches)) {
      $akey = sprintf('%010d ',$matches[0]) . $akey;
    }
    $bkey = $b->title;
    if (preg_match('/^[0-9]*$',$bkey,$matches)) {
      $bkey = sprintf('%010d ',$matches[0]) . $bkey;
    }
    if ($akey == $bkey) {
      return 0;
    }
    return ($akey > $bkey) ? -1 : 1;
}

这给了我以下结果:

'posts', array(
    'title' => 'C10 Chair',
    'title' => 'B419',
    'title' => 'AC43 Table',
    'title' => '320 Bed',
    'title' => '0440 Recliner',
    'title' => '0114',
    'title' => '001 Chair'
)

现在,我需要的最后一步是让数字出现在字母之前(降序)。

这是我想要的输出:

'posts', array(
    'title' => '320 Bed',
    'title' => '0440 Recliner',
    'title' => '0114',
    'title' => '001 Chair',
    'title' => 'C10 Chair',
    'title' => 'B419',
    'title' => 'AC43'
)

我试过各种各样的功能,uaports、preg_match和其他功能;似乎就是想不出最后一步。

有什么建议或帮助吗?非常感谢。

试试这个比较函数:

function my_post_sort($a, $b) {
    $akey = $a->title;
    $bkey = $b->title;
    $diga = preg_match("/^[0-9]/", $akey);
    $digb = preg_match("/^[0-9]/", $bkey);
    if($diga && !$digb) {
        return -1;
    }
    if(!$diga && $digb) {
        return 1;
    }
    return -strcmp($akey, $bkey);
}

它将按降序排序,但将数字放在其他符号之前。

首先,我认为您的数组不能工作。。。在同一数组级别上不能多次使用同一个键。

foreach ($array as $key => $title) {
        if ( is_numeric(substr($title, 0, 1)) ) {
            $new_array[$key] = $title;
        }
    }
    array_multisort($array, SORT_DESC, SORT_STRING);
    array_multisort($new_array, SORT_DESC, SORT_NUMERIC);
    $sorted_array = array_merge($array, $new_array);