Select 部分 json 与 System.text.json

Select part of json with System.text.json

我开始使用 C# 和反序列化 Json。在我的培训中,我学习了 Newtonsoft,但我想对 system.text.json

做同样的事情

有了这个json,我想select

创建对象列表。

https://api.nvidia.partners/edge/product/search?page=1&limit=9&locale=fr-fr&category=GPU&gpu=RTX%203090,RTX%203080%20Ti,RTX%203080,RTX%203070%20Ti,RTX%203070,RTX%203060%20Ti,RTX%203060&gpu_filter=RTX%203090~12,RTX%203080%20Ti~7,RTX%203080~16,RTX%203070%20Ti~3,RTX%203070~18,RTX%203060%20Ti~8,RTX%203060~2,RTX%202080%20SUPER~1,RTX%202080~0,RTX%202070%20SUPER~0,RTX%202070~0,RTX%202060~6,GTX%201660%20Ti~0,GTX%201660%20SUPER~9,GTX%201660~8,GTX%201650%20Ti~0,GTX%201650%20SUPER~3,GTX%201650~17

Class

public class CarteGraphique
{
    public string displayName { get; set; }
    public string prdStatus { get; set; }
    public List<Retailer> retailers { get; set; }
}

使用 Newtonsoft,我执行以下操作:

Newtonsoft

JObject jsonParse = JObject.Parse(json);

IList<CarteGraphique> products = new List<CarteGraphique>();

IList<JToken> productDetailsParse = jsonParse["searchedProducts"]["productDetails"]
    .Children()
    .Where(n => n["isFounderEdition"].Value<bool>() == true)
    .ToList();
var featuredProductParse = jsonParse["searchedProducts"]["featuredProduct"];


foreach (JToken item in productDetailsParse)
{
    CarteGraphique result = item.ToObject<CarteGraphique>();
    products.Add(result);
}
var featuredProduct = featuredProductParse.ToObject<CarteGraphique>();

products.Add(featuredProduct);



foreach (var item in products)
{
    Console.WriteLine(item.DisplayName);
}

我想用 System.Text.Json 做到这一点...但我不知道 select json 部分“productDetails”如何将其添加到对象列表中。

System.text.json

var listGpu = new List<CarteGraphique>();

var jsonParse = JsonDocument.Parse(json);

var jsonFilter = jsonParse.RootElement
    .GetProperty("searchedProducts")
    .GetProperty("featuredProduct")
    .GetRawText();

var jsonObj = JsonSerializer.Deserialize<CarteGraphique>(jsonFilter);

listGpu.Add(jsonObj);


foreach (var item in listGpu)
{
    Console.WriteLine(item.displayName);
}

你能帮帮我吗? 对于我这样的初学者来说,文档不清楚。

您可以如下模拟 Json.NET 逻辑:

using var jsonParse = JsonDocument.Parse(json); // Be sure to dispose the JsonDocument!

var options = new JsonSerializerOptions { PropertyNameCaseInsensitive = true };

var products = jsonParse.RootElement
    .GetProperty("searchedProducts") // Get the searchedProducts value
    .GetProperty("productDetails")   // Get the productDetails value
    .EnumerateArray()                // Enumerate its items
    .Where(n => n.GetProperty("isFounderEdition").GetBoolean()) // Filter on those for which isFounderEdition == true
    .Select(n => n.ToObject<CarteGraphique>(options)) // Deserialize to a CarteGraphique
    .ToList();
    
// Add the searchedProducts.featuredProduct item to the list.
var featuredProduct = jsonParse.RootElement
    .GetProperty("searchedProducts")
    .GetProperty("featuredProduct")
    .ToObject<CarteGraphique>(options);

products.Add(featuredProduct);
        

其中 ToObject<T>(this JsonElement element, JsonSerializerOptions options = null)this answer to System.Text.Json.JsonElement ToObject workaround 的扩展方法:

public static partial class JsonExtensions
{
    public static T ToObject<T>(this JsonElement element, JsonSerializerOptions options = null)
    {
        var bufferWriter = new System.Buffers.ArrayBufferWriter<byte>();
        using (var writer = new Utf8JsonWriter(bufferWriter))
            element.WriteTo(writer);
        return JsonSerializer.Deserialize<T>(bufferWriter.WrittenSpan, options);
    }

    public static T ToObject<T>(this JsonDocument document, JsonSerializerOptions options = null)
    {
        if (document == null)
            throw new ArgumentNullException(nameof(document));
        return document.RootElement.ToObject<T>(options);
    }       
}

备注:

  • JsonDocument是一次性的。根据文档,处理失败将 导致内存不返回到池中,这将增加框架各个部分的 GC 影响

  • 在 .NET 6.0 中,Microsoft 计划从 JsonElement 实现直接反序列化,请参阅 We should be able serialize and deserialize from DOM #31274。同时可以使用上面的扩展方法。

  • 我没有添加任何缺失属性检查。如果可能缺少属性,请使用 JsonElement.TryGetProperty(). See 一些扩展方法,可以使它更容易。

  • 与Json.NET不同,System.Text.Json默认区分大小写。要启用不区分大小写的反序列化,请使用 JsonSerializerOptions { PropertyNameCaseInsensitive = true },如 .

    所示

演示 fiddle here.

我在迁移到 JsonDocument 时也遇到了同样的不便。所以我开发了一个小库来重新创建 JObject 的相同行为。它允许使用类似索引器的语法来导航域对象模型。它叫做 JsonEasyNavigation,您可以在 github or get from nuget.org.

上找到它

对于您的情况,解决方案可能如下:

List<CarteGraphique> products = new List<CarteGraphique>();

using var jsonDocument = JsonDocument.Parse(json);
var nav = jsonDocument.ToNavigation();

var productDetails = nav["searchedProducts"]["productDetails"].Values
    .Where(x => x["isFounderEdition"].GetBooleanOrDefault())
    .Select(x => x.Map<CarteGraphique>())
    .ToArray();

var featuredProduct = nav["searchedProducts"]["featuredProduct"].Map<CarteGraphique>();

products.AddRange(productDetails);
products.Add(featuredProduct);

JsonDocument 必须使用 ToNavigation() 方法转换为 JsonNavigationElement。我希望你会发现它有用。