/ 写在前面 – 我热爱技术、热爱开源。我也相信开源能使技术变得更好、共享能使知识传播得更远。但是开源并不意味着某些商业机构/个人可以为了自身的利益而一味地索取,甚至直接剽窃大家曾为之辛勤付出的知识成果,所以本文未经允许,不得转载,谢谢。/
We can test our code using tools in Python’s unittest module.
Testing a Function
Say that we have a function that returns a neatly formatted name:
# name_function.py
def get_formatted_name(f_name, l_name):
"""Generate a neatly formatted full name."""
full_name = f_name + ' ' + l_name
return(full_name.title())
Then we write a test case for this function:
# test_name_function.py
import unittest
from name_function import get_formatted_name
class NameTestCase(unittest.TestCase):
"""Tests for 'name_function.py'."""
def test_first_last_name(self):
"""Do names like 'Senchun Yao' work?"""
formatted_name = get_formatted_name('senchun', 'yao')
self.assertEqual(formatted_name, 'Senchun Yao')
unittest.main()
'''
output:
.
----------------------------------------------------------------------
Ran 1 test in 0.000s
OK
'''
Several things need noticing:
- At line 1, Python test file naming convention: When you run pytest, by default it will look for tests in all directories and files below the current directory. File names should start or end with “test”, as intest_example.pyorexample_test.py. If tests are defined as methods on a class, the class name should start with “Test”, as inTestExample. The class should not have an__init__method. For more details, visit Naming conventions and test discoveryArchived.
- At line 2, we import unittestmodule.
- At line 3, we import a function we want to test.
- At line 5, we create a new test class that must inherit from unittest.TestCasewith name related to that function and including word test. This class will contain a series of unit tests forget_formatted_name().
- At line 8, The method name must start with test_so the method runs automatically when we runtest_name_function.py.
- At line 11, we use one of unittest’s most useful features: an assert method..assertEqual(formatted_name, 'Senchun Yao')says, “Compare the value informatted_nameto the string'Senchun Yao'. If they are equal as expected, fine. But if they don’t match, let me know!”
- At line 13, unittest.main()tells Python to run the tests in this file.
- At line 17, The dot .on the first line of output tells us that a single test passed.
- At line 21, The final OKtells us that all unit tests in the test case passed.
Testing a Class
Below are 6 commonly used assert methods:
- assertEqual(a, b): Verify that- a == b.
- assertNotEqual(a, b): Verify that- a != b.
- assertTrue(x): Verify that- xis- True.
- assertFalse(x):Verify that- xis- False.
- assertIn(item, list): Verify that- itemis in- list.
- assertNotIn(item, list): Verify that- itemis not in- list.
Say that we have one class named AnonymousSurvey in anonymous_survey.py:
class AnonymousSurvey():
def __init__(self, question):
self.question = question
self.responses = []
def print_question(self):
print(self.question)
return None
def store_response(self, response):
self.responses.append(response)
return None
def print_survey_results(self):
print("Here are survey results: ")
for res in self.responses:
print(" * " + res)
A Python file that conducts anonymous survey:
# make_survey.py
import anonymous_survey as a_s
question = "What's your favorite movie?"
survey_1 = a_s.AnonymousSurvey(question)
survey_1.print_question()
while True:
rsp = input("Enter 'q' to quit: ")
if rsp == 'q':
break
survey_1.store_response(rsp)
survey_1.print_survey_results()
As a matter of fact, the basis of testing a class is similar to that of testing a function. Hence we get:
import unittest
from anonymous_survey import AnonymousSurvey
class TestAnonymousSurvey(unittest.TestCase):
def test_store_one_response(self):
question = "What's your favorite movie?"
a_sur = AnonymousSurvey(question)
a_sur.store_response("Pulp Fiction")
self.assertIn("Pulp Fiction", a_sur.responses)
unittest.main()
'''
output:
.
----------------------------------------------------------------------
Ran 1 test in 0.000s
OK
'''
However, creating a new AnonymousSurvey object in every test method seems to be repetitive and daunting. So here comes the setUp() method that allows you to create these objects once and then use them in each of your test methods.
When you include a
setUp()method in aTestCaseclass, Python runs thesetUp()method before running each method starting withtest_. Any objects created in thesetUp()method are then available in each test method you write.
Another version using setUp() :
import unittest
from anonymous_survey import AnonymousSurvey
class TestAnonymousSurvey(unittest.TestCase):
def setUp(self):
question = "What's your favorite movie?"
self.survey = AnonymousSurvey(question)
self.responses = ["Pulp Fiction", "1900"]
def test_store_one_response(self):
self.survey.store_response(self.responses[0])
self.assertIn(self.responses[0], self.survey.responses)
def test_store_two_responses(self):
for r in self.responses:
self.survey.store_response(r)
for r in self.responses:
self.assertIn(r, self.survey.responses)
unittest.main()
'''
output:
..
----------------------------------------------------------------------
Ran 2 tests in 0.000s
OK
'''
Note: At line 9, 10, setUp() method does two things: it creates a survey instance, and it creates a list of responses. Each of these is prefixed by self. , so they can be used anywhere in the class.
Note: When a test case is running, Python prints one character for each unit test as it is completed. A passing test prints a dot
., a test that results in an error prints anE, and a test that results in a failed assertion prints anF. This is why you’ll see a different number of dots and characters on the first line of output when you run your test cases. If a test case takes a long time to run because it contains many unit tests, you can watch these results to get a sense of how many tests are passing.
 
                         
                                

