8

How can I deep-sort a multi-dimension array and keep their keys?

$array = [
    '2' => [
        'title' => 'Flower',
        'order' => 3
    ],
    '3' => [
        'title' => 'Rock',
        'order' => 1
    ],
    '4' => [
        'title' => 'Grass',
        'order' => 2
    ]
];

foreach ($array as $key => $row) {
    $items[$key]  = $row['order'];
}

array_multisort($items, SORT_DESC, $array);

print_r($array);

result:

Array
(
    [0] => Array
        (
            [title] => Flower
            [order] => 3
        )

    [1] => Array
        (
            [title] => Grass
            [order] => 2
        )

    [2] => Array
        (
            [title] => Rock
            [order] => 1
        )

)

What I am after:

Array
(
    [2] => Array
        (
            [title] => Flower
            [order] => 3
        )

    [4] => Array
        (
            [title] => Grass
            [order] => 2
        )

    [3] => Array
        (
            [title] => Rock
            [order] => 1
        )

)

Any ideas?

laukok
  • 47,545
  • 146
  • 388
  • 689
  • 3
    check this: [http://stackoverflow.com/questions/23740747/array-multisort-with-maintaining-numeric-index-association](http://stackoverflow.com/questions/23740747/array-multisort-with-maintaining-numeric-index-association) – Murad Hasan May 23 '16 at 10:20

2 Answers2

10

You can try uasort:

uasort($array, function ($a, $b) { return $b['order'] - $a['order']; });

Your code:

<?php

$array = [
    '2' => [
        'title' => 'Flower',
        'order' => 3
    ],
    '3' => [
        'title' => 'Rock',
        'order' => 1
    ],
    '4' => [
        'title' => 'Grass',
        'order' => 2
    ]
];

uasort($array, function ($a, $b) { return $b['order'] - $a['order']; });

print_r($array);

Demo

Thamilhan
  • 12,351
  • 5
  • 33
  • 59
10

May be this is what are you looking for: Online Example

Keep array keys, sort with the order column and combine them again.

$keys = array_keys($array);
array_multisort(
    array_column($array, 'order'), SORT_DESC, SORT_NUMERIC, $array, $keys
);
$array = array_combine($keys, $array);
echo '<pre>';
print_r($array);
Murad Hasan
  • 9,233
  • 2
  • 16
  • 39