我正在使用的API将没有KEY
的JSON格式化为对象值。它的格式更像是一个数组。作为参考,这里是我试图使用https://opensky-network.org/apidoc/rest.html的API的链接。下面是JSON的示例。
错误的例子
{
"time": 1535758880,
"states": [
[
"First",
"A"
],
[
"Second",
"B"
]
]
}
上面的JSON也为每个对象都有方括号。这在我的情况下不起作用。它们需要是大括号。下面是我想要实现的一个例子。请注意,对象括号是卷曲的,值的每个都有一个键。
需要的例子
{
"time": 1535758880,
"states": [
{
"id": "First",
"content": "A"
},
{
"id": "Second",
"content": "B"
}
]
}
这是我正在编写的代码,用于在JSON中查找值。
<?php
$str = '
{
"time": 1535758880,
"states": [
{
"id": "First" ,
"content": "A"
},
{
"id": "Second" ,
"content": "B"
}
]
}';
$json = json_decode($str);
foreach($json->states as $item)
{
if($item->id == "Second")
{
echo $item->content;
}
}
?>
我的整体问题是,如何将id
和content
添加到我的JSON中,并用大括号替换每个对象的方括号?我想我需要以某种方式做一个str_replace()。但我不确定如何处理这个问题。
您需要重新构建数组,然后将其重新编码回json。像这样的东西:
$formatted = json_decode($str);
foreach ($formatted->states as $key => $value) {
$tmp = array(
'id' => $value[0],
'content' => $value[1]
);
$formatted->states[$key] = $tmp;
}
// If you want this in array format you are done here, just use $formatted.
// If you want this back in json format, then json_encode it.
$str = json_encode($formatted);
绝对不要尝试字符串替换。
首先,我会质疑你是否真的需要从数组到对象的转换。 $item[0]
比$item->id
差很多。如果你真的想要,你可以让你的代码更明显,并为索引创建变量。
$id = 0;
$content = 1;
if ($item[$id] == 'Second') {
echo $item[$content];
}
但是,如果由于某种原因你不得不转换你可以使用上面的mopsyd帖子中的代码