Code First Migrations中的固定长度字符串列

时间:2015-08-18 22:26:10

标签: c# entity-framework ef-migrations

我正在使用代码优先迁移创建实体框架6模型,并且我希望生成的数据库中的列是固定长度而不是可变长度;此外,我想以DBMS无关的方式做到这一点。

似乎为此目的建立了ConventionPrimitivePropertyConfiguration.IsFixedLength方法。我无法找到使用它的现有属性,所以我自己创建了一个属性,如下所示:

using System;
using System.ComponentModel.DataAnnotations;
using System.Data.Entity;
using System.Data.Entity.ModelConfiguration.Configuration;
using System.Data.Entity.ModelConfiguration.Conventions;

class FixedLengthAttribute : Attribute { }

class FixedLengthAttributeConvention
    : PrimitivePropertyAttributeConfigurationConvention<FixedLengthAttribute>
{
    public override void Apply(ConventionPrimitivePropertyConfiguration configuration,
        FixedLengthAttribute attribute)
    {
        configuration.IsFixedLength();
    }
}

class MyModel : DbContext
{
    internal virtual DbSet<MyEntity> MyEntities { get; set; }
    protected override void OnModelCreating(DbModelBuilder modelBuilder)
    {
        modelBuilder.Conventions.Add(new FixedLengthAttributeConvention());
    }
}

class MyEntity
{
    [Key, FixedLength, StringLength(10)]
    public string MyStringProperty { get; set; }
}

但是,使用此代码运行Add-Migration时,在生成的迁移文件(MyStringProperty = c.String(nullable: false, maxLength: 10))中定义该数据库列的行不会说明固定长度。当我在数据库上运行此迁移时,我会得到一个NVARCHAR列。

我在这里做错了什么?

2 个答案:

答案 0 :(得分:3)

StringLength属性似乎覆盖了FixedLength属性。解决方法是将length属性添加到FixedLength属性并自行设置HasMaxLength

class FixedLengthAttribute : Attribute 
{ 
    public int Length { get; set; }
}


public override void Apply(ConventionPrimitivePropertyConfiguration configuration,
        FixedLengthAttribute attribute)
{
    configuration.IsFixedLength();
    configuration.HasMaxLength(attribute.Length);
}

class MyEntity
{
    [Key, FixedLength(Length=10)]
    public string MyStringProperty { get; set; }
}

答案 1 :(得分:1)

替代Aducci's answer是使用ColumnAttribute指定列的数据类型:

class MyEntity
{
    [Key]
    [MaxLength(10)]
    [Column(TypeName = "nchar")]
    public string MyEntityId { get; set; }
}

这导致表格中的列:

MyEntityId nchar(10) NOT NULL PRIMARY KEY

就个人而言,我认为这种方法更可取,因为它不需要覆盖DbContext的{​​{1}}函数。