我有一系列的项目,我想按每个项目最多的次数排序。
我试图为每个项目订购喜欢的东西,但是就我说的方式来说,没有更多与原始项目的关联。
这就是我所做的:
$max = $feed->get_item_quantity(); //max number of items in the array
$orderedLike;
for($i = 0; $i < $max; $i++ )
{
$item[$i] = $feed->get_item($i); //gets single items
$orderedLike[$i] = $item[$i]->get_like_count(); //gets number of likes for each item
}
arsort($orderedLike); //sorts the number of likes
echo '<pre>';
foreach ( $orderedLike as $like )
{
echo $like . ' '; //displays the likes
}
echo '</pre>';
这有效但后来我意识到我不能再对原始数组项进行排序,因为有两个数组。一个有喜欢的数字,一个有项目和价值(包括喜欢的数量)。
我最终试图通过类似价值进入订单的数据是 $item
我不太确定该怎么做。
答案 0 :(得分:4)
您可以使用usort
:
usort($item, 'cmp_by_likes');
function cmp_by_likes($a, $b){
return $b->get_like_count()-$a->get_like_count();
}
答案 1 :(得分:1)
你真的不远了。您可以使用foreach( $arr as $key => $val )
执行此操作:
foreach ( $orderedLike as $key => $val )
{
echo $item[$key]. ' '; //displays the likes
}
但也许你最好用usort
:
// I never say this initialized.
$item = array();
// create only one array
for($i = 0; $i < $max; $i++ )
{
// let PHP handle indexing.
$item[] = $feed->get_item($i); //gets single items
}
usort( $item, 'sort_by_like_count' );
// item is now sorted by get_like_count
function sort_by_like_count( $a, $b )
{
$a = $a->get_like_count();
$b = $b->get_like_count();
// you can do return $a - $b here as a shortcut. I prefer being explicit as
// 1, 0, -1 is expected more universally.
if( $a == $b ) return 0;
return ( $a > $b )? 1: -1;
}