在我的设计中,我有一个具有属性的类,其类型可以继承自:
public class Feed
{
...
[JsonProperty(TypeNameHandling = TypeNameHandling.Auto)]
public FeedSource Source { get; set; }
...
}
public abstract class FeedSource { ... }
public class CsvSource : FeedSource { ... }
public class DbSource : FeedSource { ... }
我正在使用Entity Framework将此对象加载并存储到数据库中,并且我正在使用Json.NET将此对象序列化为JSON以进行进一步处理。
我偶然发现的问题是$type
属性包含EF代理的类型名称而不是“真实”类型名称。所以而不是:
$type: "System.Data.Entity.DynamicProxies.CsvSource_0B3579D9BE67D7EE83EEBDDBFA269439AFC6E1122A59B4BB81EB1F0147C7EE12"
这对其他客户来说毫无意义,我想得到:
$type: "MyNamespace.CsvSource"
在我的JSON中。
实现这一目标的最佳方式是什么?
答案 0 :(得分:11)
另一种不要求您更改EF配置的方法是使用自定义SerializationBinder,例如:
class EntityFrameworkSerializationBinder : SerializationBinder
{
public override void BindToName(Type serializedType, out string assemblyName, out string typeName)
{
assemblyName = null;
if (serializedType.Namespace == "System.Data.Entity.DynamicProxies")
typeName = serializedType.BaseType.FullName;
else
typeName = serializedType.FullName;
}
public override Type BindToType(string assemblyName, string typeName)
{
throw new NotImplementedException();
}
}
用法:
string json = JsonConvert.SerializeObject(entityFrameworkObject, new JsonSerializerSettings { TypeNameHandling = TypeNameHandling.All, Binder = new EntityFrameworkSerializationBinder() });
答案 1 :(得分:4)
你可以做两件事:
通过将ProxyCreationEnabled
设置为false来禁用跟踪代理。您可以在上下文Configuration
属性中找到此属性。如果您使用单个GetXxx
方法的上下文,则可以在不干扰实例化的其他上下文的情况下执行此操作。
在恢复实体时使用AsNoTracking()
扩展方法,如下所示:
MyContext.MyTable.AsNoTracking(). // rest of the query here
这表示您不想要实体的跟踪代理,因此您将获得实体类。这与前面提到的配置没有干扰。