合并两个Json.. NET数组通过连接所包含的元素



我有两个表示对象JSON数组的JToken,我想合并它们。JToken有一个方法Concat,但它产生null作为结果,当我试图使用它。

Action<JToken> Ok = (x) =>
{
    Debug.WriteLine(x);
    /* outputs
    [
      {
        "id": 1,
      },
      {
        "id": 2,
      }
    ]
    */
    x = (x).Concat<JToken>(x) as JToken;
    Debug.WriteLine(x); // null
};

我怎样才能使它工作?

MergeArrayHandling.Concat JContainer.Merge()

可以从Json开始。. NET 6 Release 4。因此,如果您的数组在JContainer(例如JObject)中,这是一个简单而强大的解决方案。

的例子:

JObject o1 = JObject.Parse(@"{
  'FirstName': 'John',
  'LastName': 'Smith',
  'Enabled': false,
  'Roles': [ 'User' ]
}");
JObject o2 = JObject.Parse(@"{
  'Enabled': true,
  'Roles': [ 'Operator', 'Admin' ]
}");
o1.Merge(o2, new JsonMergeSettings { MergeArrayHandling = MergeArrayHandling.Concat });
string json = o1.ToString();
// {
//   "FirstName": "John",
//   "LastName": "Smith",
//   "Enabled": true,
//   "Roles": [
//     "User",
//     "Operator",
//     "Admin"
//   ]
// }

JToken.FromObject(x.Concat(x))

我需要相同的,这是我想到的

https://github.com/MrAntix/Newtonsoft.Json/blob/master/Src/Newtonsoft.Json/Linq/MergeExtensions.cs

public static void MergeInto(
    this JContainer left, JToken right, MergeOptions options)
{
    foreach (var rightChild in right.Children<JProperty>())
    {
        var rightChildProperty = rightChild;
        var leftPropertyValue = left.SelectToken(rightChildProperty.Name);
        if (leftPropertyValue == null)
        {
            // no matching property, just add 
            left.Add(rightChild);
        }
        else
        {
            var leftProperty = (JProperty) leftPropertyValue.Parent;
            var leftArray = leftPropertyValue as JArray;
            var rightArray = rightChildProperty.Value as JArray;
            if (leftArray != null && rightArray != null)
            {
                switch (options.ArrayHandling)
                {
                    case MergeOptionArrayHandling.Concat:
                        foreach (var rightValue in rightArray)
                        {
                            leftArray.Add(rightValue);
                        }
                        break;
                    case MergeOptionArrayHandling.Overwrite:
                        leftProperty.Value = rightChildProperty.Value;
                        break;
                }
            }
            else
            {
                var leftObject = leftPropertyValue as JObject;
                if (leftObject == null)
                {
                    // replace value
                    leftProperty.Value = rightChildProperty.Value;
                }
                else
                    // recurse object
                    MergeInto(leftObject, rightChildProperty.Value, options);
            }
        }
    }
}

相关内容

  • 没有找到相关文章

最新更新