EF5代码优先 - 使用迁移更改列类型
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了EF5代码优先 - 使用迁移更改列类型相关的知识,希望对你有一定的参考价值。
我是EF5 Code First的新手,在开始工作项目之前,我正在修改概念验证。
我最初创建了一个看起来像的模型
public class Person {
public int Id { get; set; }
public string FirstName { get; set;}
public string Surname {get;set;}
public string Location {get;set;}
}
我添加了一些记录,使用了一个我坚持在顶部的MVC应用程序。
现在我想将Location列更改为枚举,如:
public class Person {
public int Id { get; set; }
public string FirstName { get; set;}
public string Surname {get;set;}
public Locations Location {get;set;}
}
public enum Locations {
London = 1,
Edinburgh = 2,
Cardiff = 3
}
当我添加新的迁移时,我得到:
AlterColumn("dbo.People", "Location", c => c.Int(nullable: false));
但是当我运行update-database时出现错误
Conversion failed when converting the nvarchar value 'London' to data type int.
迁移中是否有一种方法可以在运行alter语句之前截断表?
我知道我可以打开数据库并手动执行,但是有更聪明的方法吗?
最聪明的方法可能是不改变类型。如果您需要这样做,我建议您执行以下步骤:
- 使用新类型添加新列
- 使用
Sql()
使用update语句接管原始列中的数据 - 删除旧列
- 重命名新列
这可以在同一个迁移中完成,将创建正确的SQL脚本。如果要丢弃数据,可以跳过步骤2。如果要将其接管,请添加适当的语句(也可以包含switch语句)。
不幸的是,Code First Migrations没有提供更简单的方法来实现这一目标。
这是示例代码:
AddColumn("dbo.People", "LocationTmp", c => c.Int(nullable: false));
Sql(@"
UPDATE dbp.People
SET LocationTmp =
CASE Location
WHEN 'London' THEN 1
WHEN 'Edinburgh' THEN 2
WHEN 'Cardiff' THEN 3
ELSE 0
END
");
DropColumn("dbo.People", "Location");
RenameColumn("dbo.People", "LocationTmp", "Location");
基于@ JustAnotherUserYouMayKnow的回答,但更容易。
首先尝试执行Sql()
命令,然后执行AlterColumn()
:
Sql(@"
UPDATE dbo.People
SET Location =
CASE Location
WHEN 'London' THEN 1
WHEN 'Edinburgh' THEN 2
WHEN 'Cardiff' THEN 3
ELSE 0
END
");
AlterColumn("dbo.People", "Location", c => c.Int(nullable: false));
我知道这不直接适用于这个问题,但可能对某人有所帮助。在我的问题中,我不小心将一年字段设置为日期时间,我试图弄清楚如何删除所有数据,然后将数据类型切换为int。
在进行添加迁移时,EF只想更新列。我不得不删除他们想要做的事情并添加我自己的代码。我基本上只是删除了列并添加了一个新列。这对我有用。
protected override void Up(MigrationBuilder migrationBuilder)
{
migrationBuilder.DropColumn(
name: "TestingPeriodYear",
table: "ControlActivityIssue");
migrationBuilder.AddColumn<int>(
name: "TestingPeriodYear",
table: "ControlActivityIssue",
nullable: true);
}
protected override void Down(MigrationBuilder migrationBuilder)
{
migrationBuilder.DropColumn(
name: "TestingPeriodYear",
table: "ControlActivityIssue");
migrationBuilder.AddColumn<DateTime>(
name: "TestingPeriodYear",
table: "ControlActivityIssue",
nullable: true);
}
以上是关于EF5代码优先 - 使用迁移更改列类型的主要内容,如果未能解决你的问题,请参考以下文章
实体框架代码优先:迁移失败并更新数据库,强制不必要的(?)添加迁移