所以我编写了这组函数,这些函数将按照字母顺序排列所有歌曲。问题在于它所做的只是以与放置在阵列中相同的顺序吐出艺术家的歌曲。
功能
function arraySort($a, $b){
return $a['title'] > $b['title'];
}
function sortSongs($artist){
$count = count($artist);
if($count == 2){
foreach($artist as $album=>$trackListing){
sortSongs($artist[$album]);
}
}else{
foreach($artist as $key=>&$value){
usort($artist[$key], 'arraySort');
print_r($artist);
}
}
}
sortSongs($music['Creed']);
数组
$music = array(
'Creed' => array(
'Human Clay' => array(
array(
'title' => 'Are You Ready'
),
array(
'title' => 'What If'
),
array(
'title' => 'Beautiful'
),
array(
'title' => 'Say I'
),
),
'Full Circle' => array(
array(
'title' => 'Overcome'
),
array(
'title' => 'Bread of Shame'
),
array(
'title' => 'A Thousand Faces'
),
array(
'title' => 'Suddenly'
),
array(
'title' => 'Rain'
),
array(
'title' => 'Away in Silence'
),
),
),
);
注意:我缩短了数组以供阅读。
所以我正在做的就是说,如果我传入的艺术家有2张专辑,那么我们将专辑名称传入,然后在该专辑的歌曲中使用usort ......我所得到的只是确切的我给你看的同一个数组,未分类。
答案 0 :(得分:0)
这是非常疯狂的代码..但是因为你有这么多嵌套数组我没有真正看到更好的方法而不循环所有东西。看看这个。理想情况下,你可以从中得到你想要的东西。如果你花更多的时间在这个概念上,你可以制作一些非常好的array_walk函数或类似功能,以便更整齐地完成工作。
主要功能:
<强> PHP 强>
arraySort('Creed', $music);
echo '<pre>';
print_r($music);
echo '</pre>';
function arraySort($artist, &$music) {
// Validate we have an array
if(is_array($music[$artist])) {
// Sort the albums the best we can (natsort not natually available for keys)
ksort($music[$artist]);
// Loop through the artists albums
foreach($music[$artist] as $album_name => $album) {
// Loop through the songs
foreach($album as $songs)
{
// Let's build a new helper array of songs
$new_array = array();
foreach($music[$artist][$album_name] as $title)
{
$new_array[] = $title['title'];
}
// Natural sort the songs
natsort($new_array);
// Reset the Songs array
$music[$artist][$album_name] = array();
// Replace the songs as they're sorted back into the music array
foreach($new_array as $stitle)
{
$music[$artist][$album_name][] = array('title' => $stitle);
}
}
}
}
}
<强>输出强>
Array
(
[Creed] => Array
(
[Full Circle] => Array
(
[0] => Array
(
[title] => A Thousand Faces
)
[1] => Array
(
[title] => Away in Silence
)
[2] => Array
(
[title] => Bread of Shame
)
[3] => Array
(
[title] => Overcome
)
[4] => Array
(
[title] => Rain
)
[5] => Array
(
[title] => Suddenly
)
)
[Human Clay] => Array
(
[0] => Array
(
[title] => Are You Ready
)
[1] => Array
(
[title] => Beautiful
)
[2] => Array
(
[title] => Say I
)
[3] => Array
(
[title] => What If
)
)
)
)
答案 1 :(得分:0)
看起来你正在传递一个1项的数组,即usort(array('title'=&gt;'Rain'),arraySort);
所以你得到了相同的数组,因为你实际上是在告诉它什么都不排序。
要解决此问题,您应该尝试将整个相册数组发送给它,而不是艺术家[$ key],只传递给$ artist。
作为警告你的递归基础案例似乎非常挑剔,这不是测试是否递归的好方法。计数为2的测试基本上只适用于阵列与您所呈现的阵列相同的情况,这不是一般的基本情况。
答案 2 :(得分:0)
你正好在那里,只是不需要foreach for album。
function sortSongs($artist){
$count = count($artist);
if($count == 2){
foreach($artist as $album=>$trackListing){
sortSongs($artist[$album]);
}
}else{
usort($artist, 'arraySort');
print_r($artist);
}
}