How do you skip a unit test in Django?

DjangoUnit TestingSkipDjango Unittest

Django Problem Overview


How do forcibly skip a unit test in Django?

@skipif and @skipunless is all I found, but I just want to skip a test right now for debugging purposes while I get a few things straightened out.

Django Solutions


Solution 1 - Django

Python's unittest module has a few decorators:

There is plain old @skip:

from unittest import skip

@skip("Don't want to test")
def test_something():
    ...

If you can't use @skip for some reason, @skipIf should work. Just trick it to always skip with the argument True:

@skipIf(True, "I don't want to run this test yet")
def test_something():
    ...

unittest docs

Docs on skipping tests

If you are looking to simply not run certain test files, the best way is probably to use fab or other tool and run particular tests.

Solution 2 - Django

Django 1.10 allows use of tags for unit tests. You can then use the --exclude-tag=tag_name flag to exclude certain tags:

from django.test import tag

class SampleTestCase(TestCase):

    @tag('fast')
    def test_fast(self):
        ...

    @tag('slow')
    def test_slow(self):
        ...

    @tag('slow', 'core')
    def test_slow_but_core(self):
        ...

In the above example, to exclude your tests with the "slow" tag you would run:

$ ./manage.py test --exclude-tag=slow

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
Questionuser798719View Question on Stackoverflow
Solution 1 - DjangoRay ToalView Answer on Stackoverflow
Solution 2 - DjangoYPCrumbleView Answer on Stackoverflow