2

我正在使用 PHP 从 Web 服务返回 JSON。我能够获取 JSON,对其进行解码并查看结果。但是,我需要能够按特定值对数组进行排序。我目前有:

// JSON URL which should be requested
$json_url = 'https://*******/maincategories';

// Initializing curl
$ch = curl_init( $json_url );

// Configuring curl options
$options = array(
CURLOPT_RETURNTRANSFER => true,
CURLOPT_HTTPHEADER => array('Content-type: application/json') ,
);

// Setting curl options
curl_setopt_array( $ch, $options );

// Getting results
$result =  curl_exec($ch); // Getting JSON result string

$data = json_decode($result);

ksort($data, "Total");

print_r($data);

print_r($data);打印如下:

Array ( [0] => stdClass Object ( [Goal] => 10000000 [Name] => Rental [Total] => 500000 ) [1] => stdClass Object ( [Goal] => 8000000 [Name] => National Sales [Total] => 750000 ) [2] => stdClass Object ( [Goal] => 120000000 [Name] => Vendor Leasing [Total] => 500000 ) )

我试图使用 ksort 并通过键按升序对数组进行排序Total。如何对这个数组进行排序,使总数最高的对象排在第一位,其余的按升序排列?

4

2 回答 2

5

这应该适合你:

usort($data, function ($a, $b) {
    return $a->Total - $b->Total;
});

请注意,如果您想要一个关联数组而不是来自 的对象json_decode,请使用json_decode(..., true)

于 2013-01-15T20:47:58.427 回答
2

你有一个对象数组。因此,您需要定义自己的自定义排序规则。你应该使用usort()这个。也许是这样的:

usort($data, function ($a, $b) {
    if ((int)$a->Total > (int)$b->Total)) {
        return 1;
    } else if ((int)$a->Total < (int)$b->Total)) {
        return -1;
    } else {
        return 0;
    }
});
于 2013-01-15T20:47:50.207 回答