答案:在 PHP 中,使用 uasort() 函数可以对数组中的对象根据用户定义的比较函数进行排序,同时保留原始键名。详细描述:语法:uasort($array, $value_compare_func)比较函数规则:接受两个数组元素作为参数返回 -1 表示第一个参数小于第二个参数返回 0 表示两个参数相等返回 1 表示第一个参数大于第二个参数实战案例:定义一个 Student 类来表示学生对象使用 uasort() 函数按照学生的年龄对 $students 数组进行排序,同时保留原始键名
使用 PHP 对数组中的对象进行排序
在 PHP 中,您可以使用 uasort()
函数对数组中的对象进行排序,同时保留原始键名。该函数使用用户提供的比较函数,将数组元素按升序或降序排序。
uasort ( array &$array, callable $value_compare_func ) : bool
其中:
$array
是要排序的数组,传递引用以便直接修改$value_compare_func
是一个用户提供的比较函数,它接受两个值作为参数,按升序或降序返回它们的比较结果比较函数应遵循以下规则:
返回以下值之一:
考虑一个包含学生对象的数组,每个学生都有姓名和年龄属性。我们要按年龄对学生进行升序排序,同时保留原始键名。
<?php class Student { public $name; public $age; public function __construct($name, $age) { $this->name = $name; $this->age = $age; } } $students = [ "John Doe" => new Student("John Doe", 25), "Jane Smith" => new Student("Jane Smith", 22), "Peter Parker" => new Student("Peter Parker", 28) ]; uasort($students, function ($a, $b) { return $a->age <=> $b->age; }); print_r($students);
Array ( [Jane Smith] => Student Object ( [name] => Jane Smith [age] => 22 ) [John Doe] => Student Object ( [name] => John Doe [age] => 25 ) [Peter Parker] => Student Object ( [name] => Peter Parker [age] => 28 ) )
正如您所看到的,学生已经按年龄升序排列,并且原始键名仍然存在。
以上是使用 PHP 对数组中的对象进行排序,保留原始键名的详细内容。更多信息请关注PHP中文网其他相关文章!