Home > Article > Backend Development > PHP Multidimensional Array Sorting Revealed: Revealing the Mysteries of Sorting Algorithms
PHP provides a variety of ways to sort multi-dimensional arrays: use the sort() and asort() functions to sort by a single key, sort by increasing and decreasing values respectively. Write custom sorting functions to sort by any key and support complex rules. Use the array_multisort() function to sort by multiple keys at the same time. You need to provide the sort key and the array to be sorted.
Multidimensional array sorting is a common task in PHP development. When sorting a multidimensional array, you can sort by a single or multiple keys. This article will explore the algorithm for sorting multi-dimensional arrays in PHP and provide practical examples.
Built-in functionssort()
and asort()
sort()
Sorts an associative array in ascending value according to the natural ordering of keys. asort()
Sorts an associative array in descending order of value according to the natural ordering of keys. Custom sort function
The custom sort function allows you to sort by any key. This method is useful when you need to sort based on complex rules.
function compare($a, $b) { return strcmp($a['name'], $b['name']); }
Built-in functions array_multisort()
##array_multisort() Allows you to sort using multiple keys at the same time. It takes two arrays, one containing the sort key and the other containing the array to be sorted.
$array = [ ['name' => 'Alice', 'age' => 25], ['name' => 'Bob', 'age' => 32], ['name' => 'Eve', 'age' => 28], ];
Sort in ascending order by name
usort($array, 'compare');
In ascending order by name, Age descending sort
array_multisort(array_column($array, 'name'), SORT_ASC, array_column($array, 'age'), SORT_DESC);
Output the sorted array:
print_r($array); // [ // ['name' => 'Alice', 'age' => 25], // ['name' => 'Eve', 'age' => 28], // ['name' => 'Bob', 'age' => 32], // ]
The above is the detailed content of PHP Multidimensional Array Sorting Revealed: Revealing the Mysteries of Sorting Algorithms. For more information, please follow other related articles on the PHP Chinese website!