我试图创造的Code First XML列。 我很清楚实体框架不完全支持XML列,它读取它们作为一个字符串。 没关系。 我还是想列类型是XML,虽然。 这里是我的类:
class Content
{
public int ContentId { get; set; }
[Column(TypeName="xml")]
public string XmlString { get; set; }
[NotMapped]
public XElement Xml { get { ... } set { ... } }
}
问题是,代码优先迁移完全忽略列属性,并创建域作为一个nvarchar(max)
。 我试着用[DataType("xml")]
但是,也没有工作。
这是迁移错误吗?
你有没有尝试过:
public String XmlContent { get; set; }
public XElement XmlValueWrapper
{
get { return XElement.Parse(XmlContent); }
set { XmlContent = value.ToString(); }
}
public partial class XmlEntityMap : EntityTypeConfiguration<XmlEntity>
{
public XmlEntityMap()
{
// ...
this.Property(c => c.XmlContent).HasColumnType("xml");
this.Ignore(c => c.XmlValueWrapper);
}
}
我实现了所需要的与属性,我饰我的模型类XML字段属性。
[XmlType]
public string XmlString { get; set; }
[NotMapped]
public XElement Xml
{
get { return !string.IsNullOrWhiteSpace(XmlString) ? XElement.Parse(XmlString) : null; }
set {
XmlString = value == null ? null : value.ToString(SaveOptions.DisableFormatting);
}
}
拥有这些,2篇文章的帮助:
https://entityframework.codeplex.com/wikipage?title=Code%20First%20Annotations
https://andy.mehalick.com/2014/02/06/ef6-adding-a-created-datetime-column-automatically-with-code-first-migrations/
解
定义属性
[AttributeUsage(AttributeTargets.Property, AllowMultiple = false)]
public class XmlType : Attribute
{
}
注册属性在上下文
在上下文中的“OnModelCreating”
modelBuilder.Conventions.Add(new AttributeToColumnAnnotationConvention<XmlType, string>("XmlType", (p, attributes) => "xml"));
自定义SQL生成器
public class CustomSqlGenerator : SqlServerMigrationSqlGenerator
{
protected override void Generate(ColumnModel column, IndentedTextWriter writer)
{
SetColumnDataType(column);
base.Generate(column, writer);
}
private static void SetColumnDataType(ColumnModel column)
{
// xml type
if (column.Annotations.ContainsKey("XmlType"))
{
column.StoreType = "xml";
}
}
}
注册自定义的SQL生成器
在迁移配置构造,注册自定义SQL生成。
SetSqlGenerator("System.Data.SqlClient", new CustomSqlGenerator());
但是,如果XmlContent是什么?空
也许 :
public XElement XmlValueWrapper
{
get { return XmlContent != null ? XElement.Parse(XmlContent) : null; }
set { XmlContent = value.ToString(); }
}