实体框架代码优先:DateTime2的DataType属性是什么?

时间:2015-11-03 09:45:03

标签: c# entity-framework dbcontext

有时使用Entity Framework Code First时,默认约定不会创建所需的数据库类型。例如,默认情况下,类型为System.DateTime的属性会创建类型为DateTime的数据库列。如果您希望其类型为datetime2DateTime类型,时区和夏令时没有问题)该怎么办?

可以使用DataTypeAtrribute使用数据注释指定所需的数据库类型。 DataTypeAttribute的一个构造函数接受参数DataType Enumeration。所以可以指定类似的东西:

[DataType(DataType.DateTime)]
public DateTime DateOfBirth {get; set;}

DataType枚举类型包含许多类型,但它缺少DateTime2的值。

另一种方法是使用Fluent API。在方法DBContext.OnModelCreating中创建DateTime2

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    modelBuilder.Entity<Student>().Property(p => p.BirthDate)
        .HasColumnType("datetime2");
}

DataTypeAttribute有一个second constructor that accepts a string。该字符串定义为

  

与数据字段关联的自定义字段模板的名称。

因此可以假设以下内容足以创建datetime2:

[DataType("datetime2")]
public DateTime DateOfBirth {get; set;}
唉,这不起作用。创建的列仍具有DateTime格式。

问题:在构造函数中使用哪个字符串来创建datetime2?

2 个答案:

答案 0 :(得分:22)

The DataType attribute is not used for column type mapping for Code First

  

Column注释更擅长指定映射列的属性。您可以规定名称,数据类型甚至列在表格中的显示顺序。 [...]不要将Column的TypeName属性与DataType DataAnnotation混淆。 DataType是用于UI的注释,首先被代码忽略

所以:

[Column(TypeName="datetime2")] 

答案 1 :(得分:9)

对于那些仍然对如何定义属性的列类型感兴趣的人。从EF 6.0版开始,您可以定义某种类型的每个值都应该具有某种数据库类型。

使用DbModelBuilder.PropertiesDbContext.OnModelCreating完成此操作。

如果这样做,您不必为每个DateTime编写属性或流畅的API。更容易保持一致,并让所有DateTime具有相同的列类型。同样,即使将来添加了小数,也可以给所有小数都指定相同的精度。

假设您要定义每个System.DateTime应具有列类型DateTime2;每个System.Decimal都应该具有指定精度的列类型。在DbContext中你会写:

protected override void OnModelCreating(DbModelBuilder modelBuilder)
{
    // every property of type DateTime should have a column type of "datetime2":
    modelBuilder.Properties<DateTime>()
      .Configure(property => property.HasColumnType("datetime2"));
    // every property of type decimal should have a precision of 19
    // and a scale of 8:
    modelBuilder.Properties<decimal>()
        .Configure(property => property.HasPrecision(19, 8));
}