Room 中的数据库自动迁移功能
在自动迁移中加入自动元素
举例来说,我们需要在数据库中的一个表中新添加一列,并将数据库从版本 1 升级到版本 2。那么我们就需要更新 @Database 注解为其递增版本号,并添加从版本 1 到 2 的自动迁移:
/* Copyright 2020 Google LLC.
SPDX-License-Identifier: Apache-2.0 */
@Database(
- version = 1,
+ version = 2,
entities = [ Doggos.class ],
+ autoMigrations = [
+ AutoMigration (from = 1, to = 2)
+ ]
)
abstract class DoggosDatabase : RoomDatabase { }
每当数据库版本再次改变时,您只需更新 autoMigrations 列表,添加一个新的:
/* Copyright 2020 Google LLC.
SPDX-License-Identifier: Apache-2.0 */
@Database(
- version = 2,
+ version = 3,
entities = [ Doggos.class ],
autoMigrations = [
AutoMigration (from = 1, to = 2),
+ AutoMigration (from = 2, to = 3)
]
)
abstract class DoggosDatabase : RoomDatabase { }
针对在 @Database schema 中声明的实体,如添加新列或表,更新主键、外键或索引,或更改列的默认值,Room 会自动检测出这些变化,不需要额外介入。
⚠️请注意: 从实现层面来说,Room 的自动迁移依赖于所生成的数据库 schema,因此在使用 autoMigrations 时,请确保 @Database 中的 exportSchema 选项为 true。否则将导致错误: Cannot create auto-migrations when export schema is OFF。
当自动迁移需要帮助时
Room 的自动迁移无法检测到数据库上执行的所有可能的变化,因此有时候它们需要一些帮助。举一个常见的例子,Room 没办法检测到一个数据库表或列是否被重命名或者被删除。在这种情况下,Room 会抛出一个编译错误,并要求您实现 AutoMigrationSpec。此类允许您指定做出更改的类型,实现一个 AutoMigrationSpec 并使用以下一项或多项来注解:
@DeleteTable(tableName)
@RenameTable(fromTableName, toTableName)
@DeleteColumn(tableName, columnName)
@RenameColumn(tableName, fromColumnName, toColumnName)
/* Copyright 2020 Google LLC.
SPDX-License-Identifier: Apache-2.0 */
@Database(
version = 2,
entities = [ GoodDoggos.class ],
autoMigrations = [
AutoMigration (
from = 1,
to = 2,
spec = DoggosDatabase.DoggosAutoMigration::class
)
]
)
abstract class DoggosDatabase : RoomDatabase {
@RenameTable(fromTableName = "Doggos", toTableName = "GoodDoggos")
class DoggosAutoMigration: AutoMigrationSpec { }
}
迁移 vs 自动迁移
何时使用迁移功能
/* Copyright 2020 Google LLC.
SPDX-License-Identifier: Apache-2.0 */
val MIGRATION_1_2 = object : Migration(1, 2) {
override fun migrate(database: SupportSQLiteDatabase) {
...
}
}
Room.databaseBuilder(applicationContext, DoggosDatabase::class.java, "doggos-database")
.addMigrations(MIGRATION_1_2,)
.build()
manually handle migrations
https://developer.android.google.cn/training/data-storage/room/migrating-db-versionsMigration
https://developer.android.google.cn/reference/kotlin/androidx/room/migration/Migration
组合使用「迁移」与「自动迁移」
这篇文章
https://medium.com/androiddevelopers/understanding-migrations-with-room-f01e04b07929
测试自动迁移
您可以通过 MigrationTestHelper 的测试规则来测试自动迁移,并与使用 Migration 类相同的方式调用 helper.runMigrationsAndValidate()。关于测试迁移的更多信息,欢迎您查看文档: 测试单次迁移。
测试单次迁移
https://developer.android.google.cn/training/data-storage/room/migrating-db-versions#single-migration-test
总结
issue tracker
https://issuetracker.google.com/issues/new?component=413107&template=1096568
👆点击获取 "开发者的日常" 表情包
推荐阅读