提问者:小点点

如何使用多态性将派生类序列化到JSON


如果我有以下类:

public class ParentClass
{
    public int ParentProperty { get; set; } = 0;
}
public class ChildClass : ParentClass
{
    public string ChildProperty { get; set; } = "Child property";
}
public class Container
{
    public double ContainerCapacity { get; set; } = 0.2;
    public List<ParentClass> ClassContainer { get; set; } = new List<ParentClass>();
}

然后在program.cs中创建以下对象:

// Objects
var container = new Container() { ContainerCapacity = 3.14 };
var parent = new ParentClass() { ParentProperty = 5 };
var child = new ChildClass() { ParentProperty = 10, ChildProperty = "value" };
container.ClassContainer.Add(parent);
container.ClassContainer.Add(child);

// Serialization
var serializerOptions = new JsonSerializerOptions() { WriteIndented = true };
var containerJson = JsonSerializer.Serialize(container, serializerOptions);
Console.WriteLine(containerJson);

预期产出:

{
  "ContainerCapacity": 3.14,
  "ClassContainer": [
    {
      "ParentProperty": 5
    },
    {
      "ChildProperty": "value",
      "ParentProperty": 10
    }
  ]
}

实际输出:

{
  "ContainerCapacity": 3.14,
  "ClassContainer": [
    {
      "ParentProperty": 5
    },
    {
      "ParentProperty": 10
    }
  ]
}

如何确保child上的属性ChildProperty也被序列化?我如何处理接口多态性?


共1个答案

匿名用户

我在网上看到了关于这个问题,似乎这不是很容易做到的。我建议使用newtonsoft.json库来解析对象,因为它是一个成熟的库,可以完美地处理子-父对象,而无需编写自定义设置。

newtonsoft.json安装nuget包,然后按如下方式解析它:

var containerJson = JsonConvert.SerializeObject(container, Newtonsoft.Json.Formatting.Indented);

输出如下所示:

{
  "ContainerCapacity": 3.14,
  "ClassContainer": [
    {
      "ParentProperty": 5
    },
    {
      "ChildProperty": "value",
      "ParentProperty": 10
    }
  ]
}