Django入门学习Day20:Django数据迁移

迁移(Migration)是Django做Web开发的基本组成部分,它使得我们在演进应用的models时,它能使得models文件与数据库保持同步

当我们第一次运行命令 python manage.py migrate的时候,Django 会抓取所有迁移文件然后生成数据库 schema。

当Django应用了迁移之后,有一个特殊的表叫做django_migrations,在这个表中,Django注册了所有已经的迁移记录。

所以,如果我们重新运行命令:

python manage.py migrate
Operations to perform:
  Apply all migrations: admin, auth, boards, contenttypes, sessions
Running migrations:
  No migrations to apply.

Django 知道没什么事可做了。

现在我们添加在 Topic 模型中添加一个新的字段:

boards/models.py

class Topic(models.Model):
    subject = models.CharField(max_length=255)
    last_updated = models.DateTimeField(auto_now_add=True)
    board = models.ForeignKey(Board, related_name='topics')
    starter = models.ForeignKey(User, related_name='topics')
    views = models.PositiveIntegerField(default=0)  # <- 这里

    def __str__(self):
        return self.subject

我们添加了一个PositiveIntegerField,因为这个字段将要存储的是页面的浏览量,不可能是一个负数

在我们可以使用这个新字段前,我们必须更新数据库schema,执行命令 makemigrations

python manage.py makemigrations

Migrations for 'boards':
  boards/migrations/0002_topic_views.py
    - Add field views to topic

makemigrations会自动生成0002_topic_views.py文件,将用于修改数据库(添加一个views字段)

现在运行命令 migrate来应用迁移

python manage.py migrate

Operations to perform:
  Apply all migrations: admin, auth, boards, contenttypes, sessions
Running migrations:
  Applying boards.0002_topic_views... OK

现在我们可以用它来追踪指定主题被阅读了多少次

boards/views.py

from django.shortcuts import get_object_or_404, render
from .models import Topic

def topic_posts(request, pk, topic_pk):
    topic = get_object_or_404(Topic, board__pk=pk, pk=topic_pk)
    topic.views += 1
    topic.save()
    return render(request, 'topic_posts.html', {'topic': topic})

templates/topics.html

{% for topic in topics %}
  
    {{ topic.subject }}
    {{ topic.starter.username }}
    {{ topic.replies }}
    {{ topic.views }}  
    {{ topic.last_updated }}
  
{% endfor %}

现在打开一个主题,刷新页面几次,然后你会看到有页面阅读次数统计了。

原文:https://github.com/pythonzhichan/django-beginners-guide/blob/master/DjangoORM.md

你可能感兴趣的:(Django入门学习Day20:Django数据迁移)