问题:
我需要按照左侧(从最高到最低)的数字顺序对数组(按照它们在数组中出现的顺序显示在项目符号列表中的内容)进行排序。
这些数字对应于右侧目录路径中的分区数(它们当前未存储在数组中......)。
我的问题出现了,因为我不知道如何按照示例中给出的值对数组进行排序 - 因为它们在数组之外。我尝试过使用多维数组,但这只会导致更多的混乱!
由于以下代码而在屏幕上输出:
代码:
<?php
//make all items in the array unique
$dir_list = array_unique($dir_list);
//create new array to sort into
$dir_list_sort = array();
//for each item in the array
foreach($dir_list as $dir)
{
//find depth of array
$dir_depth = substr_count($dir , DIRECTORY_SEPARATOR);
//stuff that is written to the page separated by a #
echo $dir_depth." # ".$dir."<br>";
}
?>
答案 0 :(得分:3)
您可以使用PHP的usort()
功能。 usort()
“将使用用户提供的比较函数按其值对数组进行排序。” (PHP.net)
您必须编写一个可以比较两个值并返回-1,0或1的函数。
<?php
// This is just a shortcut for determining the directory depth
function dir_depth($directory_name)
{
return substr_count($directory_name, DIRECTORY_SEPARATOR);
}
// Takes two values ($a and $b) and returns either -1, 0 or 1
function compare($a, $b)
{
$depth_a = dir_depth($a);
$depth_b = dir_depth($b));
if ($depth_a == $depth_b) {
// If they have the same depth, return 0
return 0;
}
// If depth_a is smaller than depth_b, return -1; otherwise return 1
return ($depth_a < $depth_b) ? -1 : 1;
}
// Now we can sort the array.
// usort() needs two parameters:
// 1. the array that will be reordered
// 2. the name of the function that compares two values
usort($dir_list, 'compare');
// Now display the list
foreach ($dir_list as $dir) {
// here we can use our dir_depth() function again
echo dir_depth($dir) . ' # ' . $dir . '<br>';
}
答案 1 :(得分:1)
您不需要多维数组。正常usort
将起作用
usort($dir_list, 'compareDirectoryDepth');
function compareDirectoryDepth($dir1, $dir2) {
$c1 = substr_count($dir1 , DIRECTORY_SEPARATOR);
$c2 = substr_count($dir2 , DIRECTORY_SEPARATOR);
return ($c1 == $c2 ? 0 : ($c1 < $c2 ? -1 : 1));
}
当然,这可以稍微优化一下,因此substr_count被称为少一点