这里有一个非常奇怪的问题,与ServiceStack.Text的序列化器有关。
假设我有两个类,一个名为Person
,另一个名为Address
。
人:
public class Person
{
public string Name { get; set; }
public Dictionary<string,object> ExtraParams { get; set; }
}
地址:
public class Address
{
public string StreetName { get; set; }
}
在其中一种方法中我这样做
var john = new Person
{
Name: "John",
ExtraParameters: new Dictionary<string, object>
{
{ "AddressList", new List<Address>{
new Address{ StreetName : "Avenue 1" }
}
}
}
};
我也在使用ServiceStack的ORMLite。现在,当我尝试从数据库中检索数据并将其转换回字典时出现问题:
//save to database
var id = db.Save(john)
//retrieve it back
var retrieved = db.SingleById<Person>(id);
//try to access the Address List
var name = retrieved.Name; //this gives "John"
var address = retrieved.ExtraParameters["AddressList"] as List<Address>; //gives null always , due to typecasting failed.
当我尝试调试时,ExtraParameters 为Dictionary
,其中key
名为&#34; AddressList&#34;,但value
为实际上是一个字符串 - "[{StreetName:"Avenue 1"}]"
我做错了什么想法?关于对象和词典的类型转换,我一直在寻找,但它们似乎都没有和我一样的问题。
我设置了以下配置:
JsConfig.ExcludeTypeInfo = true;
JsConfig.ConvertObjectTypesIntoStringDictionary = true;
答案 0 :(得分:2)
首先存储object
是bad idea for serialization,我强烈避免使用它。
接下来,当您设置:
时,您将打破object
的序列化
JsConfig.ExcludeTypeInfo = true;
ServiceStack只在需要时添加类型信息,这种配置阻止它序列化JSON有效负载中的Type信息,这是唯一告诉ServiceStack将其反序列化为需要的内容,因为你需要它使用后期绑定objects
类型,其中ServiceStack无法知道该类型是什么。
答案 1 :(得分:1)
虽然Demiz所说的是真的 - DTO中的继承很糟糕,但我真的希望为这个问题发布一个更准确的答案,万一有人真的需要它。
设置以下标志:
JsConfig.ExcludeTypeInfo = false; //this is false by default
JsConfig.ConvertObjectTypesIntoStringDictionary = true; //must set this to true
对于恰好被序列化的objects
列表,您需要先将其反序列化为对象列表,然后将其中的每一个转换回原始类:
//save to database
var id = db.Save(john);
//retrieve it back
var retrieved = db.SingleById<Person>(id);
//try to access the Address List
var name = retrieved.Name; //this gives "John"
//cast it to list of objects first
var tempList = retrieved.ExtraParameters["AddressList"] as List<object>;
//cast each of the objects back to their original class;
var address = tempList.Select(x=> x as Address);
希望这个能帮助将来需要它的人。