Django学习笔记--自动化测试

自动化测试

创建web app时,Django会在web app目录下生成一个tests.py文件,测试程序写在这个文件里。


1. 编写tests.py测试程序

测试程序综述


注意三点:

  • 创建类继承TestCase
  • 希望自动运行的测试方法以test开头
  • 测试代码通assert()方法系进行判定
    例如:
import datetime

from django.utils import timezone
from django.test import TestCase

from .models import Question


class QuestionMethodTests(TestCase):

    def test_was_published_recently_with_future_question(self):
        """
        was_published_recently() should return False for questions whose
        pub_date is in the future.
        """
        time = timezone.now() + datetime.timedelta(days=30)
        future_question = Question(pub_date=time)
        self.assertEqual(future_question.was_published_recently(), False)

注:assert()方法系包括:assertEqual() 、assertContains()、assertQuerysetEqual()等
自动化测试时,会创建新的数据库,新数据库里是没有记录的,需要在测试程序里生成。

测试view层


可以用如下代码,得到服务器返回浏览器的html代码及上下文信息

response = self.client.get(reverse('polls:index'))

2. 运行自动化测试程序

通过以下命令运行测试程序:

$ python manage.py test AppName



版本:

  • Python 2.7.9
  • Django 1.8.1

参考资料:

  • https://docs.djangoproject.com/en/1.8/intro/tutorial05/

你可能感兴趣的:(Python)