如何在Android Room数据库中将Not Null表列迁移为Null

时间:2019-08-07 10:12:09

标签: android kotlin android-room androidx

我是android房间库的新手。我需要将Not Null列迁移为Null, 但是,房间迁移仅允许在ALTER表查询中添加或重命名。如何执行列迁移查询?

@Entity(tableName = "vehicle_detail")
data class VehicleDetailsEntity(
    @PrimaryKey(autoGenerate = true)
    val vehicleClientId: Long = 0,
    val vehicleId: String,
    val updatedOn: Date,
    val updatedBy: String
)

我需要将表结构更改为

@Entity(tableName = "vehicle_detail")
data class VehicleDetailsEntity(
    @PrimaryKey(autoGenerate = true)
    val vehicleClientId: Long = 0,
    val vehicleId: String,
    val updatedOn: Date?,
    val updatedBy: String?
)

java.lang.IllegalStateException:Room无法验证数据完整性。看起来您已更改架构,但忘记更新版本号。您只需增加版本号即可解决此问题。

1 个答案:

答案 0 :(得分:0)

由于SQLite不允许修改列约束,因此您需要运行迁移。

对于该迁移,您需要创建一个新的临时表并将所有以前的数据复制到其中,然后删除旧表并将临时表重命名为所需的表名。

如果您有一个方案目录,则可以找到准确的创建SQL查询,应在迁移时复制该查询(我只是从我的方案中找出来的,不可能100%正确):

val MIGRATION_1_2: Migration = object : Migration(1, 2) {
    override fun migrate(database: SupportSQLiteDatabase) {
        // Create the new table
        database.execSQL(
            "CREATE TABLE IF NOT EXISTS VehicleDetailsEntityTmp (vehicleId TEXT NOT NULL, updatedOn TEXT, updatedBy TEXT,vehicleClientId INTEGER PRIMARY KEY AUTOINCREMENT NOT NULL )"
        )

        // Copy the data
        database.execSQL(
            "INSERT INTO VehicleDetailsEntityTmp (vehicleId, updatedOn, updatedBy ,vehicleClientId) SELECT vehicleId, updatedOn, updatedBy ,vehicleClientId FROM VehicleDetailsEntity ")

        // Remove the old table
        database.execSQL("DROP TABLE VehicleDetailsEntity")

        // Change the table name to the correct one
        database.execSQL("ALTER TABLE VehicleDetailsEntityTmp RENAME TO VehicleDetailsEntity")
    }
}