Django初級マニュアル5-自動化テスト

7896 ワード

自動化テストとは

  • システムを更新するたびに、手動で最初からテストするのではなく、自動的にテストを行うことができます.
  • 長期的かつグローバルな観点から見ると、テストは私たちの時間を節約することができます.
  • テストは積極的な行為であり、問題を識別するだけでなく、問題を予防することができる.
  • テストはコードの美観とチームの協力に役立ちます.
  • テストはあなたのコードを詳しくすることができて、テストのコードが設計の抜け穴がありません;
  • テストは、作成しながら実行してもよいし、駆動としてテストしてもよいし、最後にテストしてもよい.

  • Modelセクションのテスト


    tests.pyファイル
    import datetime
    
    
    
    from django.utils import timezone
    
    from django.test import TestCase
    
    
    
    from polls.models import Poll
    
    
    
    class PollMethodTests(TestCase):
    
    
    
        def test_was_published_recently_with_future_poll(self):
    
            """
    
            was_published_recently() should return False for polls whose
    
            pub_date is in the future
    
            """
    
            future_poll = Poll(pub_date=timezone.now() + datetime.timedelta(days=30))
    
            self.assertEqual(future_poll.was_published_recently(), False)

    コマンドの実行
    python manage.py test polls

    プロセスは次のとおりです.
  • まずpollsアプリケーションのtests
  • を探します
  • でdjangoが見つかりました.test.TestCaseのサブクラス
  • は、テスト目的のデータベース
  • を作成する.
  • テストの方法を探します-testで始まる方法
  • メソッドでは、Pollのオブジェクト
  • が作成されます.
  • は、結果
  • を断言的に返す.
    修正バグ
    def was_published_recently(self):
    
        now = timezone.now()
    
        return now - datetime.timedelta(days=1) <= self.pub_date <  now

    完全なテスト
    def test_was_published_recently_with_old_poll(self):
    
        """
    
        was_published_recently() should return False for polls whose pub_date
    
        is older than 1 day
    
        """
    
        old_poll = Poll(pub_date=timezone.now() - datetime.timedelta(days=30))
    
        self.assertEqual(old_poll.was_published_recently(), False)
    
    
    
    def test_was_published_recently_with_recent_poll(self):
    
        """
    
        was_published_recently() should return True for polls whose pub_date
    
        is within the last day
    
        """
    
        recent_poll = Poll(pub_date=timezone.now() - datetime.timedelta(hours=1))
    
        self.assertEqual(recent_poll.was_published_recently(), True)

    ビューレイヤのテスト


    Djangoテストclient


    このプロシージャではテスト・データベースは作成されません.したがって、既存のデータベースは変更されます.
    >>> from django.test.utils import setup_test_environment
    
    >>> setup_test_environment()
    
    >>> from django.test.client import Client
    
    >>> client = Client()
    
    >>> response = client.get('/')
    
    >>> from django.core.urlresolvers import reverse
    
    >>> response = client.get(reverse('polls:index'))
    
    >>> response.status_code
    
    >>> response.content

    viewを修正してテストする


    未来発表の投票を表示しない
    from django.utils import timezone
    
    def get_queryset(self):
    
        """
    
        Return the last five published polls (not including those set to be
    
        published in the future).
    
        """
    
        return Poll.objects.filter(
    
            pub_date__lte=timezone.now()
    
        ).order_by('-pub_date')[:5]

    テストを行う
    from django.core.urlresolvers import reverse
    
    def create_poll(question, days):
    
        """
    
        Creates a poll with the given `question` published the given number of
    
        `days` offset to now (negative for polls published in the past,
    
        positive for polls that have yet to be published).
    
        """
    
        return Poll.objects.create(question=question,
    
            pub_date=timezone.now() + datetime.timedelta(days=days))
    
    
    
    class PollViewTests(TestCase):
    
        def test_index_view_with_no_polls(self):
    
            """
    
            If no polls exist, an appropriate message should be displayed.
    
            """
    
            response = self.client.get(reverse('polls:index'))
    
            self.assertEqual(response.status_code, 200)
    
            self.assertContains(response, "No polls are available.")
    
            self.assertQuerysetEqual(response.context['latest_poll_list'], [])
    
    
    
        def test_index_view_with_a_past_poll(self):
    
            """
    
            Polls with a pub_date in the past should be displayed on the index page.
    
            """
    
            create_poll(question="Past poll.", days=-30)
    
            response = self.client.get(reverse('polls:index'))
    
            self.assertQuerysetEqual(
    
                response.context['latest_poll_list'],
    
                ['<Poll: Past poll.>']
    
            )
    
    
    
        def test_index_view_with_a_future_poll(self):
    
            """
    
            Polls with a pub_date in the future should not be displayed on the
    
            index page.
    
            """
    
            create_poll(question="Future poll.", days=30)
    
            response = self.client.get(reverse('polls:index'))
    
            self.assertContains(response, "No polls are available.", status_code=200)
    
            self.assertQuerysetEqual(response.context['latest_poll_list'], [])
    
    
    
        def test_index_view_with_future_poll_and_past_poll(self):
    
            """
    
            Even if both past and future polls exist, only past polls should be
    
            displayed.
    
            """
    
            create_poll(question="Past poll.", days=-30)
    
            create_poll(question="Future poll.", days=30)
    
            response = self.client.get(reverse('polls:index'))
    
            self.assertQuerysetEqual(
    
                response.context['latest_poll_list'],
    
                ['<Poll: Past poll.>']
    
            )
    
    
    
        def test_index_view_with_two_past_polls(self):
    
            """
    
            The polls index page may display multiple polls.
    
            """
    
            create_poll(question="Past poll 1.", days=-30)
    
            create_poll(question="Past poll 2.", days=-5)
    
            response = self.client.get(reverse('polls:index'))
    
            self.assertQuerysetEqual(
    
                response.context['latest_poll_list'],
    
                 ['<Poll: Past poll 2.>', '<Poll: Past poll 1.>']
    
            )
  • create_pollはコードの冗長性を減らすためです.
  • assertEqual判定変数は等しく、assertQuerysetEqual判定リストなどの集合は等しい.
  • assertContains(response, "No polls are available.")戻り値を判断するselfを増加するもよい.assertContains(response, "No polls are available.", status_code=200);

  • DetailViewのテスト


    URLから直接将来のテストにアクセスすることを避けるために、viewを修正します.pyの対応するページ;
    class DetailView(generic.DetailView):
    
        ...
    
        def get_queryset(self):
    
            """
    
            Excludes any polls that aren't published yet.
    
            """
    
            return Poll.objects.filter(pub_date__lte=timezone.now())

    対応するテストページを追加
    class PollIndexDetailTests(TestCase):
    
        def test_detail_view_with_a_future_poll(self):
    
            """
    
            The detail view of a poll with a pub_date in the future should
    
            return a 404 not found.
    
            """
    
            future_poll = create_poll(question='Future poll.', days=5)
    
            response = self.client.get(reverse('polls:detail', args=(future_poll.id,)))
    
            self.assertEqual(response.status_code, 404)
    
    
    
        def test_detail_view_with_a_past_poll(self):
    
            """
    
            The detail view of a poll with a pub_date in the past should display
    
            the poll's question.
    
            """
    
            past_poll = create_poll(question='Past Poll.', days=-5)
    
            response = self.client.get(reverse('polls:detail', args=(past_poll.id,)))
    
            self.assertContains(response, past_poll.question, status_code=200)

    将来のテストの推奨事項

  • テストが多いのを恐れないでください.テストが多ければ多いほどいいです.
  • モデルor viewごとに独立したTestClassがあります.
  • 各テスト方法には、テストしたい独立した環境があります.
  • テスト方法の名前は彼らの機能を説明しなければならない.