SlideShare a Scribd company logo
PYTHON TESTING
John
Saturday, December 21, 2013
Type of testing
• Unit testing: Unit testing is testing of the
smallest possible pieces of a program. it's the
foundation upon which everything else is
based
• Integration testing: tests encompass
interactions between related units.
• System testing: system tests are an extreme
form of integration tests.
UNITTEST MODULE
unittest introduction
• the batteries-included test module standard
library.
• Similar usage as JUnit, nUnit, CppUnit series of
tools.
Unittest package
Import unittest
From unittest import TestCase,main
class two_failing_tests(TestCase):
def test_assertTrue(self):
self.assertTrue(1 == 1 + 1)
def test_assertEqual(self):
self.assertEqual(1, 1 + 1)
if __name__ == '__main__':
main()
Assert method
•
•
•
•

assertTrue: will succeed if expression is true
assertFalse: will succeed if expression is false
assertEqual, assertNotEqual
assertAlmostEqual: use this one compare
comparing floating point numbers. For example
3==3.00
• assertNotAlmostEqual
• assertRaises
• Final one: fail
PART 1:
INTRODUCE
DOCTEST MODULE
Doctest: the easiest Testing tool
• Doctest will be the mainstay of your testing
toolkit
• doctest tests are written in plain text.
• Doctest extracts the tests and ignores the
rest of the text
• So the tests can be embedded in humanreadable explanations or discussions.
creating and running your first
doctest
• Open a new text file in your editor, and name it test.txt.
• Insert the following text into the file:
This is a simple doctest that checks some of Python's arithmetic
operations.
>>> 2 + 2
4
>>> 3 * 3
10
• Run command: python -m doctest test.txt
• Or you can write a small python code file:
import doctest
doctest.testfile(“test.txt")
• You can simply add IDLE input and output as test here
Directives:
• +SKIP to skip one test
>>> 'This test would fail.' # doctest: +SKIP
• +ELLIPSIS: can use … match any substring in
the actual output
func(56, "hello") # doctest: +ELLIPSIS
<mocker.Mock object at ...>
• More directives see here
Embedding doctests in Python
docstrings
def testable(x):
r"""
The `testable` function returns the square root of its
parameter, or 3, whichever is larger.
>>> testable(7)
3.0
>>> testable(16)
4.0
>>> testable(9)
3.0
>>> testable(10) == 10 ** 0.5
True
"""
if x < 9:
return 3.0
return x ** 0.5

•Run command line: python ‑ m doctest ‑ v test.py
•If you want to run the test in code. Add cose like:
if __name__ == "__main__":
import doctest
doctest.testmod()
Tips
• Write your test before code development
• reload(module) if your module is changed.
reload array
PART 2: INTRO TO
PYTHON MOCKER
AND UNITTEST
Install mocker first
• pip install mocker
• Or python easy_install.py mocker
• Or download it by yourself
http://labix.org/mocker
What is Mock object?
• Mock objects imitate the real objects that
make up your program
• So we can decouple the multiplication class
from others
Step by step
1. Create the mocking context: mocker =
Mocker().
2. Create mocking object under this context: a =
mocker.mock()
3. demonstrate how you expect the mock objects
to be used :
func(56, "hello") # doctest: +ELLIPSIS
<mocker.Mock object at ...>
>>> mocker.result(11)

4. Here we expect func(56,”hello”) will output 11
6. Replay mode: mocker.replay(). Once enter
this mode, the first time call
func(56,”hello”). It will return 11 instead of
call this func.
7. mocker.restore() : back the point not set
mock.
8. mocker.verify(): check that the actual usage
of the mocks was as expected. For example:
check if func(56,”hello”) is 11
Function test
Parameter name in Mock
• ANY: any single object.i.e.func(a)
• ARGS: any more arguments. i.e. func(a,b)
• KWARGS: any more keyword arguments i.e.
func(a=1,b=2)
• IS: func(7, IS(param)) # doctest: +ELLIPSIS
• IN:func(7, IN([45, 68, 19])) # doctest:
+ELLIPSIS
CONTAINS: if the list contain this
vlaue
>>> from mocker import Mocker, CONTAINS
>>> mocker = Mocker()
>>> func = mocker.mock()
>>> func(7, CONTAINS(45)) # doctest: +ELLIPSIS
<mocker.Mock object at ...>
>>> mocker.result(5)
>>> mocker.replay()
>>> func(7, [12, 31, 45, 18])
5
>>> mocker.restore()
>>> mocker.verify()
MATCH: if match,it return true
>>> from mocker import Mocker, MATCH
>>> def is_odd(val):
... return val % 2 == 1
>>> mocker = Mocker()
>>> func = mocker.mock()
>>> func(7, MATCH(is_odd)) # doctest: +ELLIPSIS
<mocker.Mock object at ...>
>>> mocker.result(5)
>>> mocker.replay()
>>> func(7, 1001)
5
>>> mocker.restore()
>>> mocker.verify()
mocker.count
• Mocker.count to specify the expected
number of repetitions
• count(3): repeat 3 times
• count(1,3): repeat times is between 1 and 3.
• count(1,None): repeat at least 1 time, no
maximum.
Package test
• Use replace to temporarily replace the lib
from time import time
>>> from mocker import Mocker
>>> mocker = Mocker()
>>> mock_time = mocker.replace('time.time')
>>> mock_time() # doctest: +ELLIPSIS
<mocker.Mock object at ...>
>>> mocker.result(1.3)
>>> mocker.replay()
>>> '%1.3g' % time()
'1.3‘
>>> mocker.restore()
>>> mocker.verify()
Class test
• Let self be a mock object
>>> from testable import testable
>>> from mocker import Mocker
>>> mocker = Mocker()
>>> target = mocker.mock()
>>> target.method1(12) # doctest: +ELLIPSIS
<mocker.Mock object at ...>
>>> mocker.result(5)
>>> target.method2(12) # doctest: +ELLIPSIS
<mocker.Mock object at ...>
>>> mocker.result(7)
PART 3: PYTHON
TOOL NOSE
What is nose?
•
•
•
•

A tool for finding and running all of your tests
presents with a nice report after tests finish.
Nose understands doctest and unittest tests
Install nose from PYPI (use easy_install or
pip)
• After install it, run command line: nosetests
Recommendation how to organize
the source code folder
• Nose recognizes test files based on their names
– Any file whose name
contains test or Test contain
unittest TestCases
– Nose find doctest tests either
embedded in docstrings or
separate test files

• Reorgnize your folder. Change
to the dir. Run command line:
nosetests --with-doctest
--doctest-extension=txt -v
Options for nosetests
• Create a configuration file called nose.cfg or
.noserc in $HOME dir
(For windows, the $HOME means C:Usersusers)

• Place following inside it:
[nosetests]
with-doctest=1
doctest-extension=txt
include="(?:^[Dd]oc)“

• Run nosetests –v.
PART 4: TESTING
WEB APPLICATION
FRONTENDS USING
TWILL
Brief intro
• twill allows users to browse the Web from a
command-line interface.
• twill supports automated Web testing
• Twill has a simple Python interface.
• Use pip install twill package first
• Use command: twill-sh to start the shell
A simple example
• Create slashdot.twill file contain code:
code 200
follow Science
code 200
formvalue 2 fhfilter "aardvark"
submit
code 200
find aardvark code 200
follow Science
code 200
formvalue 2 fhfilter "aardvark"
submit
code 200
find aardvark

• Run commandl line: twill-sh -u http://slashdot.org/
slashdot.twill
You can also test interactively
•
•
•
•

>> go http://slashdot.org/
>> code 200
>> follow Science
….
Use twill in python
Import twill
browser = twill.get_browser()
Browser methods include: go,
reload,back,get_code,get_html,get_title,get_ur
l,find_link,follow_link,set_agent_string,get_all_
forms,get_form,get_form_field,clicked,submit,
save_cookies,load_cookies,clear_cookies
PART 5: OTHER
TESTING TOOLS
AND TECHNIQUES
Code coverage
• A code coverage keeps track of which lines of
code are (and aren't) executed while tests
are running
• Give you a report describing how well your
tests cover the whole body of code
Attention: Code coverage is a tool to give you insight
into what your tests are doing, and what they may
be overlooking. It's not the definition of a good test
suite.
1. Install PYPI package coverage (pip install
coverage)
2. When run your nose. Use option –withcoverage –-cover-erage

3. From the example, we saw line 16,19-20 of
toy.py do not executes.
Automated continuous integration
• automated continuous integration system
compiles your code (if need be) and runs
your tests many times, in many different
environments.
• Buildbot is a popular automated continuous
integration tool.
Reference
• Book << Python Testing:Beginner's Guide>>

More Related Content

PPTX
Automated Python Test Frameworks for Hardware Verification and Validation
PDF
Python unittest
PPTX
unittest in 5 minutes
PDF
Python-nose: A unittest-based testing framework for Python that makes writing...
PDF
Python Unit Test
ODP
Pyunit
PDF
Test Driven Development With Python
PPT
AUTOMATED TESTING USING PYTHON (ATE)
Automated Python Test Frameworks for Hardware Verification and Validation
Python unittest
unittest in 5 minutes
Python-nose: A unittest-based testing framework for Python that makes writing...
Python Unit Test
Pyunit
Test Driven Development With Python
AUTOMATED TESTING USING PYTHON (ATE)

What's hot (20)

PDF
Python testing using mock and pytest
PDF
Tdd with python unittest for embedded c
ODT
Testing in-python-and-pytest-framework
PDF
Modern Python Testing
PDF
C++ Unit Test with Google Testing Framework
PDF
Python Testing Fundamentals
PPTX
Python Programming Essentials - M39 - Unit Testing
PPT
RPG Program for Unit Testing RPG
PPT
Introduzione al TDD
ODP
Testes pythonicos com pytest
PDF
An introduction to Google test framework
ODP
Automated testing in Python and beyond
 
PDF
Effective testing with pytest
PPT
Google C++ Testing Framework in Visual Studio 2008
PPT
20111018 boost and gtest
PDF
Py.test
PPT
Test Driven Development with PHPUnit
PPTX
Unit Testing Presentation
PPT
Unit Testing RPG with JUnit
Python testing using mock and pytest
Tdd with python unittest for embedded c
Testing in-python-and-pytest-framework
Modern Python Testing
C++ Unit Test with Google Testing Framework
Python Testing Fundamentals
Python Programming Essentials - M39 - Unit Testing
RPG Program for Unit Testing RPG
Introduzione al TDD
Testes pythonicos com pytest
An introduction to Google test framework
Automated testing in Python and beyond
 
Effective testing with pytest
Google C++ Testing Framework in Visual Studio 2008
20111018 boost and gtest
Py.test
Test Driven Development with PHPUnit
Unit Testing Presentation
Unit Testing RPG with JUnit
Ad

Similar to Python testing (20)

PDF
PresentationqwertyuiopasdfghUnittest.pdf
PPTX
Testing in Python: doctest and unittest
PPTX
Testing in Python: doctest and unittest (Updated)
PDF
How to fake_properly
PDF
UPC Testing talk 2
PDF
MT_01_unittest_python.pdf
PDF
Test driven development
PPTX
Unit Testing with JUnit4 by Ravikiran Janardhana
PDF
Testing Workshop
PDF
Leveling Up With Unit Testing - php[tek] 2023
PPTX
Unit tests and TDD
KEY
Testing My Patience
ODP
Python unit testing
PDF
Mastering PowerShell Testing with Pester
PDF
Unit testing in iOS featuring OCUnit, GHUnit & OCMock
PDF
Asp netmvc e03
PDF
Making the most of your Test Suite
PDF
Commencer avec le TDD
PPTX
Unit Testing - Nakov's Talk @ VarnaConf 2013
PPTX
Unit testing by Svetlin Nakov
PresentationqwertyuiopasdfghUnittest.pdf
Testing in Python: doctest and unittest
Testing in Python: doctest and unittest (Updated)
How to fake_properly
UPC Testing talk 2
MT_01_unittest_python.pdf
Test driven development
Unit Testing with JUnit4 by Ravikiran Janardhana
Testing Workshop
Leveling Up With Unit Testing - php[tek] 2023
Unit tests and TDD
Testing My Patience
Python unit testing
Mastering PowerShell Testing with Pester
Unit testing in iOS featuring OCUnit, GHUnit & OCMock
Asp netmvc e03
Making the most of your Test Suite
Commencer avec le TDD
Unit Testing - Nakov's Talk @ VarnaConf 2013
Unit testing by Svetlin Nakov
Ad

More from John(Qiang) Zhang (11)

PPTX
Git and github introduction
PPT
Profiling in python
PPT
Introduction to jython
PPT
Introduction to cython
PPT
A useful tools in windows py2exe(optional)
PPT
Python advanced 3.the python std lib by example –data structures
PPT
Python advanced 3.the python std lib by example – system related modules
PPT
Python advanced 3.the python std lib by example – application building blocks
PPTX
Python advanced 2. regular expression in python
PPT
Python advanced 1.handle error, generator, decorator and decriptor
PPT
Python advanced 3.the python std lib by example – algorithm
Git and github introduction
Profiling in python
Introduction to jython
Introduction to cython
A useful tools in windows py2exe(optional)
Python advanced 3.the python std lib by example –data structures
Python advanced 3.the python std lib by example – system related modules
Python advanced 3.the python std lib by example – application building blocks
Python advanced 2. regular expression in python
Python advanced 1.handle error, generator, decorator and decriptor
Python advanced 3.the python std lib by example – algorithm

Recently uploaded (20)

PDF
Build a system with the filesystem maintained by OSTree @ COSCUP 2025
PPTX
Cloud computing and distributed systems.
PPT
“AI and Expert System Decision Support & Business Intelligence Systems”
PDF
Approach and Philosophy of On baking technology
PDF
Dropbox Q2 2025 Financial Results & Investor Presentation
PDF
Chapter 3 Spatial Domain Image Processing.pdf
PPTX
Understanding_Digital_Forensics_Presentation.pptx
PDF
Review of recent advances in non-invasive hemoglobin estimation
PPTX
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
PDF
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
PDF
Reach Out and Touch Someone: Haptics and Empathic Computing
PDF
Per capita expenditure prediction using model stacking based on satellite ima...
PDF
Spectral efficient network and resource selection model in 5G networks
PPTX
Spectroscopy.pptx food analysis technology
DOCX
The AUB Centre for AI in Media Proposal.docx
PPTX
KOM of Painting work and Equipment Insulation REV00 update 25-dec.pptx
PDF
Profit Center Accounting in SAP S/4HANA, S4F28 Col11
PPTX
sap open course for s4hana steps from ECC to s4
PPTX
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
PPTX
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx
Build a system with the filesystem maintained by OSTree @ COSCUP 2025
Cloud computing and distributed systems.
“AI and Expert System Decision Support & Business Intelligence Systems”
Approach and Philosophy of On baking technology
Dropbox Q2 2025 Financial Results & Investor Presentation
Chapter 3 Spatial Domain Image Processing.pdf
Understanding_Digital_Forensics_Presentation.pptx
Review of recent advances in non-invasive hemoglobin estimation
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
Reach Out and Touch Someone: Haptics and Empathic Computing
Per capita expenditure prediction using model stacking based on satellite ima...
Spectral efficient network and resource selection model in 5G networks
Spectroscopy.pptx food analysis technology
The AUB Centre for AI in Media Proposal.docx
KOM of Painting work and Equipment Insulation REV00 update 25-dec.pptx
Profit Center Accounting in SAP S/4HANA, S4F28 Col11
sap open course for s4hana steps from ECC to s4
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx

Python testing

  • 2. Type of testing • Unit testing: Unit testing is testing of the smallest possible pieces of a program. it's the foundation upon which everything else is based • Integration testing: tests encompass interactions between related units. • System testing: system tests are an extreme form of integration tests.
  • 4. unittest introduction • the batteries-included test module standard library. • Similar usage as JUnit, nUnit, CppUnit series of tools.
  • 5. Unittest package Import unittest From unittest import TestCase,main class two_failing_tests(TestCase): def test_assertTrue(self): self.assertTrue(1 == 1 + 1) def test_assertEqual(self): self.assertEqual(1, 1 + 1) if __name__ == '__main__': main()
  • 6. Assert method • • • • assertTrue: will succeed if expression is true assertFalse: will succeed if expression is false assertEqual, assertNotEqual assertAlmostEqual: use this one compare comparing floating point numbers. For example 3==3.00 • assertNotAlmostEqual • assertRaises • Final one: fail
  • 8. Doctest: the easiest Testing tool • Doctest will be the mainstay of your testing toolkit • doctest tests are written in plain text. • Doctest extracts the tests and ignores the rest of the text • So the tests can be embedded in humanreadable explanations or discussions.
  • 9. creating and running your first doctest • Open a new text file in your editor, and name it test.txt. • Insert the following text into the file: This is a simple doctest that checks some of Python's arithmetic operations. >>> 2 + 2 4 >>> 3 * 3 10 • Run command: python -m doctest test.txt • Or you can write a small python code file: import doctest doctest.testfile(“test.txt") • You can simply add IDLE input and output as test here
  • 10. Directives: • +SKIP to skip one test >>> 'This test would fail.' # doctest: +SKIP • +ELLIPSIS: can use … match any substring in the actual output func(56, "hello") # doctest: +ELLIPSIS <mocker.Mock object at ...> • More directives see here
  • 11. Embedding doctests in Python docstrings def testable(x): r""" The `testable` function returns the square root of its parameter, or 3, whichever is larger. >>> testable(7) 3.0 >>> testable(16) 4.0 >>> testable(9) 3.0 >>> testable(10) == 10 ** 0.5 True """ if x < 9: return 3.0 return x ** 0.5 •Run command line: python ‑ m doctest ‑ v test.py •If you want to run the test in code. Add cose like: if __name__ == "__main__": import doctest doctest.testmod()
  • 12. Tips • Write your test before code development • reload(module) if your module is changed. reload array
  • 13. PART 2: INTRO TO PYTHON MOCKER AND UNITTEST
  • 14. Install mocker first • pip install mocker • Or python easy_install.py mocker • Or download it by yourself http://labix.org/mocker
  • 15. What is Mock object? • Mock objects imitate the real objects that make up your program • So we can decouple the multiplication class from others
  • 16. Step by step 1. Create the mocking context: mocker = Mocker(). 2. Create mocking object under this context: a = mocker.mock() 3. demonstrate how you expect the mock objects to be used : func(56, "hello") # doctest: +ELLIPSIS <mocker.Mock object at ...> >>> mocker.result(11) 4. Here we expect func(56,”hello”) will output 11
  • 17. 6. Replay mode: mocker.replay(). Once enter this mode, the first time call func(56,”hello”). It will return 11 instead of call this func. 7. mocker.restore() : back the point not set mock. 8. mocker.verify(): check that the actual usage of the mocks was as expected. For example: check if func(56,”hello”) is 11
  • 19. Parameter name in Mock • ANY: any single object.i.e.func(a) • ARGS: any more arguments. i.e. func(a,b) • KWARGS: any more keyword arguments i.e. func(a=1,b=2) • IS: func(7, IS(param)) # doctest: +ELLIPSIS • IN:func(7, IN([45, 68, 19])) # doctest: +ELLIPSIS
  • 20. CONTAINS: if the list contain this vlaue >>> from mocker import Mocker, CONTAINS >>> mocker = Mocker() >>> func = mocker.mock() >>> func(7, CONTAINS(45)) # doctest: +ELLIPSIS <mocker.Mock object at ...> >>> mocker.result(5) >>> mocker.replay() >>> func(7, [12, 31, 45, 18]) 5 >>> mocker.restore() >>> mocker.verify()
  • 21. MATCH: if match,it return true >>> from mocker import Mocker, MATCH >>> def is_odd(val): ... return val % 2 == 1 >>> mocker = Mocker() >>> func = mocker.mock() >>> func(7, MATCH(is_odd)) # doctest: +ELLIPSIS <mocker.Mock object at ...> >>> mocker.result(5) >>> mocker.replay() >>> func(7, 1001) 5 >>> mocker.restore() >>> mocker.verify()
  • 22. mocker.count • Mocker.count to specify the expected number of repetitions • count(3): repeat 3 times • count(1,3): repeat times is between 1 and 3. • count(1,None): repeat at least 1 time, no maximum.
  • 23. Package test • Use replace to temporarily replace the lib from time import time >>> from mocker import Mocker >>> mocker = Mocker() >>> mock_time = mocker.replace('time.time') >>> mock_time() # doctest: +ELLIPSIS <mocker.Mock object at ...> >>> mocker.result(1.3) >>> mocker.replay() >>> '%1.3g' % time() '1.3‘ >>> mocker.restore() >>> mocker.verify()
  • 24. Class test • Let self be a mock object >>> from testable import testable >>> from mocker import Mocker >>> mocker = Mocker() >>> target = mocker.mock() >>> target.method1(12) # doctest: +ELLIPSIS <mocker.Mock object at ...> >>> mocker.result(5) >>> target.method2(12) # doctest: +ELLIPSIS <mocker.Mock object at ...> >>> mocker.result(7)
  • 26. What is nose? • • • • A tool for finding and running all of your tests presents with a nice report after tests finish. Nose understands doctest and unittest tests Install nose from PYPI (use easy_install or pip) • After install it, run command line: nosetests
  • 27. Recommendation how to organize the source code folder • Nose recognizes test files based on their names – Any file whose name contains test or Test contain unittest TestCases – Nose find doctest tests either embedded in docstrings or separate test files • Reorgnize your folder. Change to the dir. Run command line: nosetests --with-doctest --doctest-extension=txt -v
  • 28. Options for nosetests • Create a configuration file called nose.cfg or .noserc in $HOME dir (For windows, the $HOME means C:Usersusers) • Place following inside it: [nosetests] with-doctest=1 doctest-extension=txt include="(?:^[Dd]oc)“ • Run nosetests –v.
  • 29. PART 4: TESTING WEB APPLICATION FRONTENDS USING TWILL
  • 30. Brief intro • twill allows users to browse the Web from a command-line interface. • twill supports automated Web testing • Twill has a simple Python interface. • Use pip install twill package first • Use command: twill-sh to start the shell
  • 31. A simple example • Create slashdot.twill file contain code: code 200 follow Science code 200 formvalue 2 fhfilter "aardvark" submit code 200 find aardvark code 200 follow Science code 200 formvalue 2 fhfilter "aardvark" submit code 200 find aardvark • Run commandl line: twill-sh -u http://slashdot.org/ slashdot.twill
  • 32. You can also test interactively • • • • >> go http://slashdot.org/ >> code 200 >> follow Science ….
  • 33. Use twill in python Import twill browser = twill.get_browser() Browser methods include: go, reload,back,get_code,get_html,get_title,get_ur l,find_link,follow_link,set_agent_string,get_all_ forms,get_form,get_form_field,clicked,submit, save_cookies,load_cookies,clear_cookies
  • 34. PART 5: OTHER TESTING TOOLS AND TECHNIQUES
  • 35. Code coverage • A code coverage keeps track of which lines of code are (and aren't) executed while tests are running • Give you a report describing how well your tests cover the whole body of code Attention: Code coverage is a tool to give you insight into what your tests are doing, and what they may be overlooking. It's not the definition of a good test suite.
  • 36. 1. Install PYPI package coverage (pip install coverage) 2. When run your nose. Use option –withcoverage –-cover-erage 3. From the example, we saw line 16,19-20 of toy.py do not executes.
  • 37. Automated continuous integration • automated continuous integration system compiles your code (if need be) and runs your tests many times, in many different environments. • Buildbot is a popular automated continuous integration tool.
  • 38. Reference • Book << Python Testing:Beginner's Guide>>

Editor's Notes

  • #2: This template can be used as a starter file for presenting training materials in a group setting. Sections Right-click on a slide to add sections. Sections can help to organize your slides or facilitate collaboration between multiple authors. Notes Use the Notes section for delivery notes or to provide additional details for the audience. View these notes in Presentation View during your presentation. Keep in mind the font size (important for accessibility, visibility, videotaping, and online production) Coordinated colors Pay particular attention to the graphs, charts, and text boxes. Consider that attendees will print in black and white or grayscale. Run a test print to make sure your colors work when printed in pure black and white and grayscale. Graphics, tables, and graphs Keep it simple: If possible, use consistent, non-distracting styles and colors. Label all graphs and tables.