将字段更改为ManyToMany时Django数据迁移
我有一个Django应用程序,我想将一个字段从ForeignKey更改为ManyToManyField。 我想保留我的旧数据。 这个最简单/最好的过程是什么? 如果它很重要,我使用sqlite3作为我的数据库后端。
如果我的问题总结不清楚,这里是一个例子。 假设我有两个模型:
class Author(models.Model):
author = models.CharField(max_length=100)
class Book(models.Model):
author = models.ForeignKey(Author)
title = models.CharField(max_length=100)
假设我的数据库中有很多数据。 现在,我想要更改Book模型,如下所示:
class Book(models.Model):
author = models.ManyToManyField(Author)
title = models.CharField(max_length=100)
我不想“丢失”我之前的所有数据。
完成这个最好/最简单的方法是什么?
肯
我意识到这个问题是旧的,当时数据迁移的最佳选择是使用南方。 现在Django有自己的migrate
命令,并且过程稍有不同。
我已经将这些模型添加到名为books
的应用程序books
- 如果不是您的情况,则会相应地进行调整。
首先,将该字段添加到Book
和一个related_name
至少一个或两个(或他们会发生冲突):
class Book(models.Model):
author = models.ForeignKey(Author, related_name='book')
authors = models.ManyToManyField(Author, related_name='books')
title = models.CharField(max_length=100)
生成迁移:
$ ./manage.py makemigrations
Migrations for 'books':
0002_auto_20151222_1457.py:
- Add field authors to book
- Alter field author on book
现在,创建一个空迁移来保存数据本身的迁移:
./manage.py makemigrations books --empty
Migrations for 'books':
0003_auto_20151222_1459.py:
并向其中添加以下内容。 要准确理解它的工作原理,请查看数据迁移文档。 请注意不要覆盖迁移依赖关系。
# -*- coding: utf-8 -*-
from __future__ import unicode_literals
from django.db import models, migrations
def make_many_authors(apps, schema_editor):
"""
Adds the Author object in Book.author to the
many-to-many relationship in Book.authors
"""
Book = apps.get_model('books', 'Book')
for book in Book.objects.all():
book.authors.add(book.author)
class Migration(migrations.Migration):
dependencies = [
('books', '0002_auto_20151222_1457'),
]
operations = [
migrations.RunPython(make_many_authors),
]
现在从模型中删除author
字段 - 它应该看起来像这样:
class Book(models.Model):
authors = models.ManyToManyField(Author, related_name='books')
title = models.CharField(max_length=100)
为此创建一个新的迁移,并全部运行它们:
$ ./manage.py makemigrations
Migrations for 'books':
0004_remove_book_author.py:
- Remove field author from book
$ ./manage.py migrate
Operations to perform:
Synchronize unmigrated apps: messages, staticfiles
Apply all migrations: admin, auth, sessions, books, contenttypes
Synchronizing apps without migrations:
Creating tables...
Running deferred SQL...
Installing custom SQL...
Running migrations:
Rendering model states... DONE
Applying books.0002_auto_20151222_1457... OK
Applying books.0003_auto_20151222_1459... OK
Applying books.0004_remove_book_author... OK
就是这样。 以前在book.author
上可用的作者现在应该位于您从book.authors.all()
获得的查询集中。
可能你应该做的最好和最简单的事情是:
使用不同名称创建多对多字段说
authors = models.ManyToManyField(Author)
编写一个小函数将外键值转换为M2M值:
def convert():
books = Book.objects.all()
for book in books:
if book.author:
li = [book.author.id]
book.authors.append(li)
book.save()
运行后,您可以从表中删除作者字段并再次运行迁移。
链接地址: http://www.djcxy.com/p/94325.html上一篇: Django data migration when changing a field to ManyToMany