我们说我们有以下简单的模型:
public class Car
{
public int Year { get; set; }
public string Make { get; set; }
public string Model { get; set; }
public CarType Type { get; set; }
}
public enum CarType
{
Car, Truck
}
实体框架在向数据库添加新的Car
对象时,会将CarType
枚举值存储为整数。
如果我们以整数值更改的方式更改CarType
枚举(更改顺序或添加/删除值),实体框架是否知道如何使用迁移正确处理数据迁移?< /强>
例如,我们假设我们为CarType
添加了另一个值:
public enum CarType
{
Car, Truck, Van
}
这对数据库中的现有数据没有实际影响。 0
仍为Car
,1
仍为Truck
。但是如果我们改变CarType
的顺序,就像这样:
public enum CarType
{
Car, Van, Truck
}
1
作为CarType
指定Truck
的数据库记录不正确,因为根据更新的模型1
现在是Van
。
答案 0 :(得分:8)
不,迁移不完全支持枚举更改,因为它不会更新数据库值以反映更改的顺序,添加或删除等更改。
在保留订单的同时添加枚举值将不起作用。实际上,它甚至不会触发模型支持更改错误。
如果CarType
枚举的顺序发生变化,那么数据库数据实际上将无效。保留原始int
值,但枚举结果将是错误的。
为了适应这种类型的更改,需要手动处理数据库数据。在此特定示例中,必须运行自定义SQL,以根据枚举更改更改Type
列的值:
public partial class CarTypeChange : DbMigration
{
public override void Up()
{
// 1 now refers to "VAN", and 2 now refers to "Truck"
Sql("Update cars Set [Type] = 2 Where [Type] = 1");
}
public override void Down()
{
Sql("Update cars Set [Type] = 1 Where [Type] = 2");
}
}
附录:我已经提出了另一个与此相关的问题:Handling enum changes in Entity Framework 5