好吧,我有一个web项目,我必须暂时保存,我开始使用json文件,到目前为止我可以添加和更新。 json文件如下所示:
[
{
"username": "Baldwin",
"products": [
{
"id": 0,
"amount": 10
},
{
"id": 1,
"amount": 9
},
{
"id": 2,
"amount": 9
}
]
},
{
"username": "Alice",
"products": [
{
"id": 0,
"amount": 11
},
{
"id": 1,
"amount": 13
},
{
"id": 2,
"amount": 6
}
]
},
{
"username": "Terry",
"products": [
{
"id": 0,
"amount": 12
},
{
"id": 1,
"amount": 14
},
{
"id": 2,
"amount": 5
}
]
}
]
当我想删除一个特定的数组或者我想完全删除它时,问题就出现了,我可以做到并且工作正常,但我怀疑为什么当我删除该对象时,其他字段被添加到json文件,就像一个id。
当我删除"产品中的一个产品时#34;像这样的数组发生了:
[
{
"username": "Baldwin",
"products": { "1": { "id": 1, "amount": 9 }, "2": { "id": 2, "amount": 9 } }
},
{
"username": "Alice",
"products": [
{ "id": 0, "amount": 11 },
{ "id": 1, "amount": 13 },
{ "id": 2, "amount": 6 }
]
},
{
"username": "Terry",
"products": [
{ "id": 0, "amount": 12 },
{ "id": 1, "amount": 14 },
{ "id": 2, "amount": 5 }
]
}
]
当我从json文件中删除一个完整的数组时,就会发生这样的事情:
{
"1": {
"username": "Alice",
"products": [
{ "id": 0, "amount": 11 },
{ "id": 1, "amount": 13 },
{ "id": 2, "amount": 6 }
]
},
"2": {
"username": "Terry",
"products": [
{ "id": 0, "amount": 12 },
{ "id": 1, "amount": 14 },
{ "id": 2, "amount": 5 }
]
}
}
我要删除的php文件:
<?php
// load file
$data = file_get_contents('results.json');
// decode json to associative array
$json_arr = json_decode($data, true);
$flag = false;
// We check if the user wants to delete all or just one product
if(isset($_POST["all"])):
$username = $_POST["username"];
foreach ($json_arr as $key => $value):
// find the username on the json file
if($value["username"] == $username):
unset($json_arr[$key]);
break;
endif;
endforeach;
elseif(isset($_POST["one"])):
$username = $_POST["username"];
$id = $_POST["id"];
foreach ($json_arr as $key => $value):
// find the username on the json file
if($value["username"] == $username):
// loop products of the current username
foreach ($json_arr[$key]["products"] as $k => $product):
// find the id of the product
if($json_arr[$key]["products"][$k]["id"] == (int)$id):
// delete the product
unset($json_arr[$key]["products"][$k]);
endif;
endforeach;
endif;
endforeach;
endif;
// encode json and save to file
file_put_contents('results.json', json_encode($json_arr));
// redirect to show.php
header("Location: show.php");
?>
我一直在研究像这样的问题,但我无法找到一些关于PHP的东西,我想知道如何解决这个问题,或者这是否正常。
答案 0 :(得分:3)
使用unset($json_arr[0])
时会发生的情况是第一个元素被删除,但密钥未更新。如果您在删除后检查数组,则会在$json_arr[1]
和$json_arr[2]
处发现您的数组有两个元素。
当你对此执行json_encode($json_arr)
时,PHP的JSON解码器会查看数组,因为数组应该从0
元素开始,但是此数组从{{{}开始。 1}},它决定为了保留键,数组必须转换为关联数组 - 它将整数数组键转换为JSON中的字符串键。
要获得简短快速的解决方案,您可以尝试:
1
您甚至可以使用$json_arr = array_diff($json_arr, [$key]);
或array_splice
- see here获取灵感。