我怎样才能用PHP解析一个JSON文件?

我试图用PHP解析一个JSON文件。 但我现在卡住了。

这是我的JSON文件的内容:

{
    "John": {
        "status":"Wait"
    },
    "Jennifer": {
        "status":"Active"
    },
    "James": {
        "status":"Active",
        "age":56,
        "count":10,
        "progress":0.0029857,
        "bad":0
    }
}

这就是我迄今为止所尝试的:

<?php

$string = file_get_contents("/home/michael/test.json");
$json_a = json_decode($string, true);

echo $json_a['John'][status];
echo $json_a['Jennifer'][status];

但是因为我不知道名称(比如'John''Jennifer' )以及所有可用的键和值(比如'age''count' ),我想我需要创建一些foreach循环。

我会很感激这个例子。


要迭代多维数组,可以使用RecursiveArrayIterator

$jsonIterator = new RecursiveIteratorIterator(
    new RecursiveArrayIterator(json_decode($json, TRUE)),
    RecursiveIteratorIterator::SELF_FIRST);

foreach ($jsonIterator as $key => $val) {
    if(is_array($val)) {
        echo "$key:n";
    } else {
        echo "$key => $valn";
    }
}

输出:

John:
status => Wait
Jennifer:
status => Active
James:
status => Active
age => 56
count => 10
progress => 0.0029857
bad => 0

在键盘上运行


我不能相信有这么多人在没有正确阅读JSON的情况下发布答案。

如果您单独对foreach $json_a进行foreach,则您有一个对象对象。 即使你作为第二个参数传入true ,你也有一个二维数组。 如果你正在循环第一个维度,那么你不能只是回复第二个维度。 所以这是错误的:

foreach ($json_a as $k => $v) {
   echo $k, ' : ', $v;
}

要回显每个人的状态,请尝试以下操作:

<?php

$string = file_get_contents("/home/michael/test.json");
$json_a = json_decode($string, true);

foreach ($json_a as $person_name => $person_a) {
    echo $person_a['status'];
}

?>

最优雅的解决方案:

$shipments = json_decode(file_get_contents("shipments.js"), true);
print_r($shipments);

请记住,json文件必须以不含BOM的UTF-8编码。 如果文件有BOM,那么json_decode将返回NULL。

或者:

$shipments = json_encode(json_decode(file_get_contents("shipments.js"), true));
echo $shipments;
链接地址: http://www.djcxy.com/p/69789.html

上一篇: How can I parse a JSON file with PHP?

下一篇: What are С++ temporaries?