gpt4 book ai didi

c# - 如何根据路径向 JSON 添加新的 JProperty?

转载 作者:太空狗 更新时间:2023-10-30 01:28:50 27 4
gpt4 key购买 nike

有一个很大的 JSON 文件(大约一千行)。任务是更新现有的 JProperties,或在结构中的特定位置添加新的 JProperties。新文本的位置基于 JToken.Path 属性。例如,这是 JSON 的开头:

"JonSnow": {
"Direwolf": {
"Name": "Ghost",
"Color": "White",
}
}
"DanaerysTargaryen": {
"Dragons": {
"Dragon1": {
"Name": "Drogon",
}
}
"Hair": {
"Color": "White"
}
}

现在必须使用给定的 JToken 路径列表和相应的值来更新 JSON。

第一种可能是路径对应的JProperty可能已经存在,此时需要更新其值。我已经使用 JToken.Replace() 成功实现了这一点。

第二种可能是,JProperty 还不存在,需要添加。例如,我需要添加 "DanaerysTargaryen.Dragons.Dragon1.Color",其值为 "Black"

我知道我可以使用 JSON.Net Add() 方法,但要使用此方法,JSON 中只能缺少路径的最终子标记。例如,我可以使用

JObject ObjToUpdate= JObject.Parse(jsonText);
JObject Dragon = ObjToUpdate["DanaerysTargaryen"]["Dragons"]["Dragon1"] as JObject;
Dragon.Add("Color", "Black"));

但是,如果我需要添加值为 “Longsword”"JonSnow.Weapon.Type" 怎么办?因为 "Weapon" 还不作为 JProperty 存在,需要与 "Type": "Longsword" 一起添加。对于每条路径,JSON 中已经存在多少路径是未知的。如何对其进行参数化?

// from outside source: Dictionary<string, string> PathBasedDict 
// key: Jtoken.Path (example: "JonSnow.Weapon.Type")
// value: new text to be added (example: "Longsword")

foreach(KeyValuePair entry in PathBasedDict)
{
string path = entry.Key;
string newText = entry.Value;

if (ObjToUpdate.SelectToken(path) != null)
{ ObjToUpdate.SelectToken(path).Replace(newText); }

else AddToJson(path, newText);
}

AddToJson() 应该是什么样的?遍历整个路径并检查每个可能的 JProperty 以查看它是否存在,然后将其余部分添加到下面,这看起来非常麻烦。有一个更好的方法吗?有什么我不知道的 Json.NET 技巧吗?我什至不确定如何对迭代进行参数化。

最佳答案

基于 Heretic Monkey's answer 中的第一种方法,这是一个扩展方法:

public static class JObjectExtensions
{
/// <summary>
/// Replaces value based on path. New object tokens are created for missing parts of the given path.
/// </summary>
/// <param name="self">Instance to update</param>
/// <param name="path">Dot delimited path of the new value. E.g. 'foo.bar'</param>
/// <param name="value">Value to set.</param>
public static void ReplaceNested(this JObject self, string path, JToken value)
{
if (self is null)
throw new ArgumentNullException(nameof(self));

if (string.IsNullOrEmpty(path))
throw new ArgumentException("Path cannot be null or empty", nameof(path));

var pathParts = path.Split('.');
JToken currentNode = self;

for (int i = 0; i < pathParts.Length; i++)
{
var pathPart = pathParts[i];
var isLast = i == pathParts.Length - 1;
var partNode = currentNode.SelectToken(pathPart);

if (partNode is null)
{
var nodeToAdd = isLast ? value : new JObject();
((JObject)currentNode).Add(pathPart, nodeToAdd);
currentNode = currentNode.SelectToken(pathPart);
}
else
{
currentNode = partNode;

if (isLast)
currentNode.Replace(value);
}
}
}
}

关于c# - 如何根据路径向 JSON 添加新的 JProperty?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/56427214/

27 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com