所以我试图将我的复杂对象.NET变成JSON中完全不同的对象。基本上,我有一个对象数组,可以是从我的基类派生的任何类型,我想将该对象数组转换为我自己的JSON对象。我不认为我可以只做一个简单的JsonConvert.Serialize()方法调用,因为我的JSON对象结构不同。
所以这是我的.NET类的模型:
public abstract class A
{
public string Id { get; set; }
public string Title { get; set; }
public bool Enabled { get; set; }
public List<X> MyCollection { get; set; }
}
public class B : A
{
public string Foo { get; set; }
}
public class C : A
{
public int Bar { get; set; }
}
public abstract class X
{
public string Id { get; set; }
public string Title { get; set; }
public bool Enabled { get; set; }
}
public class Y : X
{
public string Hello { get; set; }
}
public class Z : X
{
public string World { get; set; }
}
显然,这是我真正的类结构的简单视图,但希望有关如何转换它的一些指导将使我能够转换我的真正的类。基本上,我的类(A,B,C)将包含一个类列表(X,Y,C)。
所以,假设我有一个上面列出的这些对象的数组/集合:
List<A> myObjects = new List<A>();
A myVar = new B();
myVar.Title = "Number 1";
myVar.MyCollection.Add(new Y());
myVar.MyCollection.Add(new Y());
myVar.MyCollection.Add(new Z());
myObjects.Add(myVar);
myVar = new B();
myVar.Title = "Number 2";
myVar.MyCollection.Add(new Z());
myObjects.Add(myVar);
myVar = new C();
myVar.Title = "Number 3";
myVar.MyCollection.Add(new Y());
myVar.MyCollection.Add(new Y());
myObjects.Add(myVar);
我想把我的对象'myObjects'并序列化为这样的JSON结构:
[
{
name: "Number 1", //This is the value of A.Title
type: "B", //This is a NEW property I want to add to the JSON
enabled: true, //This is the value of A.Enabled
foo: "SomeValue", //This is the value of B.Foo
myCollection: [
{ name: "Y1", type: "Y", enabled: true, hello: "SomeValue" }
{ name: "Y2", type: "Y", enabled: true, hello: "SomeOtherValue" }
{ name: "Z1", type: "Z", enabled: true, world: "SomeValue" }
]
},
{
name: "Number 2",
type: "B",
enabled: true,
foo: "SomeValue",
myCollection: [
{ name: "Z2", type: "Z", enabled: true, world: "SomeValue" }
]
},
{
name: "Number 3",
type: "C",
enabled: true,
bar: "SomeValue",
myCollection: [
{ name: "Y3", type: "Y", enabled: true, hello: "SomeValue" }
{ name: "Y4", type: "Y", enabled: true, hello: "SomeOtherValue" }
]
}
]
基本上,我想添加自己的属性,并在JSON中将其结构与.NET对象反映的略有不同。还有一些其他属性我想添加到我的对象,但它们没有列在这里(可能会发布更大的EVEN)。我基本上只需要一种方法来获取我的对象并以我自己的自定义方式序列化它们。我需要确保我序列化派生类型,以便我可以携带其中一些属性。任何人都可以帮助指导我如何解决这个问题的正确方向吗?
答案 0 :(得分:0)
您可以使用Json.Linq类通过在反序列化主类后读取类型来动态反序列化它们。
var objects = JArray.Parse(jsonString)
List<A> objectList = new List<A>();
foreach (var obj in objects) {
A newObj = null;
switch ((string)obj["type"]) {
case "B":
newObj = obj.ToObject<B>();
break;
case "C":
newObj = obj.ToObject<C>();
break;
}
newObj.MyCollection.Clear();
foreach (var x in obj["myCollection"]) {
var newX = null;
switch ((string)x["type"]) {
case "Y":
newX = x.ToObject<Y>();
break;
case "Z":
newX = x.ToObject<Z>();
break;
}
newObj.MyCollection.Add(newX);
}
objectList.Add(newObj);
}
据我所知,这会处理你发布的Json,如果有任何错误,抱歉我完全是通过平板电脑上的内存完成的:P