44

我是 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语句之前截断表?

我知道我可以打开数据库并手动执行,但是有更聪明的方法吗?

4

3 回答 3

65

最聪明的方法可能是不改变类型。如果您需要这样做,我建议您执行以下步骤:

  1. 使用新类型添加新列
  2. 用于使用Sql()更新语句从原始列中接管数据
  3. 删除旧列
  4. 重命名新列

这都可以在同一个迁移中完成,将创建正确的 SQL 脚本。如果您希望丢弃数据,可以跳过第 2 步。如果要接管它,添加相应的语句(也可以包含 switch 语句)。

不幸的是,Code First 迁移没有提供更简单的方法来实现这一点。

这是示例代码:

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");
于 2013-02-12T16:39:14.580 回答
23

基于@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));
于 2015-04-18T18:02:12.330 回答
2

我知道这并不直接适用于这个问题,但可能对某人有所帮助。在我的问题中,我不小心将年份字段设置为日期时间,我试图弄清楚如何删除所有数据,然后将数据类型切换为 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);
    }
于 2018-09-17T17:24:54.403 回答