我打算重命名现有Django项目中的多个模型,在该项目中,还有许多其他模型与我要重命名的模型具有外键关系。我相当确定这将需要多次迁移,但是我不确定确切的过程。
假设我从Django应用程序中的以下模型开始myapp
:
class Foo(models.Model):
name = models.CharField(unique=True, max_length=32)
description = models.TextField(null=True, blank=True)
class AnotherModel(models.Model):
foo = models.ForeignKey(Foo)
is_awesome = models.BooleanField()
class YetAnotherModel(models.Model):
foo = models.ForeignKey(Foo)
is_ridonkulous = models.BooleanField()
我想重命名该Foo
模型,因为该名称实际上没有意义,并且会导致代码混乱,并且Bar
会使名称更清晰。
根据我在Django开发文档中阅读的内容,我假设采用以下迁移策略:
第1步
修改models.py
:
class Bar(models.Model): # <-- changed model name
name = models.CharField(unique=True, max_length=32)
description = models.TextField(null=True, blank=True)
class AnotherModel(models.Model):
foo = models.ForeignKey(Bar) # <-- changed relation, but not field name
is_awesome = models.BooleanField()
class YetAnotherModel(models.Model):
foo = models.ForeignKey(Bar) # <-- changed relation, but not field name
is_ridonkulous = models.BooleanField()
注意,的AnotherModel
字段名称foo
没有更改,但是关系已更新为Bar
模型。我的理由是,我不应一次更改太多,并且如果将该字段名称更改为,则bar
可能会丢失该列中的数据。
第2步
创建一个空迁移:
python manage.py makemigrations --empty myapp
第三步
编辑Migration
在步骤2中创建的迁移文件中的类,RenameModel
以将该操作添加到操作列表中:
class Migration(migrations.Migration):
dependencies = [
('myapp', '0001_initial'),
]
operations = [
migrations.RenameModel('Foo', 'Bar')
]
第4步
应用迁移:
python manage.py migrate
第5步
在中编辑相关字段名称models.py
:
class Bar(models.Model):
name = models.CharField(unique=True, max_length=32)
description = models.TextField(null=True, blank=True)
class AnotherModel(models.Model):
bar = models.ForeignKey(Bar) # <-- changed field name
is_awesome = models.BooleanField()
class YetAnotherModel(models.Model):
bar = models.ForeignKey(Bar) # <-- changed field name
is_ridonkulous = models.BooleanField()
第6步
创建另一个空迁移:
python manage.py makemigrations --empty myapp
步骤7
编辑Migration
在步骤6中创建的迁移文件中的类,以将RenameField
任何相关字段名称的操作添加到操作列表中:
class Migration(migrations.Migration):
dependencies = [
('myapp', '0002_rename_fields'), # <-- is this okay?
]
operations = [
migrations.RenameField('AnotherModel', 'foo', 'bar'),
migrations.RenameField('YetAnotherModel', 'foo', 'bar')
]
步骤8
应用第二次迁移:
python manage.py migrate
除了更新其余代码(视图,表单等)以反映新的变量名之外,这基本上是新的迁移功能如何起作用的吗?
另外,这似乎需要很多步骤。迁移操作可以某种方式压缩吗?
谢谢!