KEMBAR78
Test Driven Development With Python | PDF
Test Driven Development in Python




      Siddharta Govindaraj
  siddharta@silverstripesoftware.com
What is Test Driven Development (TDD)?




http://www.flickr.com/photos/johnsyweb/3051647719/
Red, Green, Refactor

●   First write a test
●   Write code to pass the
    test
●   Clean up the code
●   Repeat
TDD Example




Write a function to check whether a given input
             string is a palindrome
code.py
def is_palindrome(input_str):
    pass
tests.py
from code import is_palindrome


def test_function_should_accept_palindromic_words():
    input = "noon"
    assert is_palindrome(input) == True
Result
code.py
def is_palindrome(input_str):
    return input_str == input_str[::-1]
Result
tests.py
def test_function_should_ignore_case():
    input = "Noon"
    assert is_palindrome(input) == True
Result
code.py
def is_palindrome(input_str):
    input_clean = input_str.lower()
    return input_clean == input_clean[::-1]
Result
tests.py
def test_function_should_ignore_trailing_space():
    input = "Noon   "
    assert is_palindrome(input) == True
code.py
def is_palindrome(input_str):
    input_clean = input_str.strip().lower()
    return input_clean == input_clean[::-1]
tests.py
def test_function_should_ignore_spaces_in_text():
    input = "ab raca carba"
    assert is_palindrome(input) == True
code.py
def is_palindrome(input_str):
    input_stripped = input_str.replace(" ", "")
    input_clean = input_stripped.lower()
    return input_clean == input_clean[::-1]
tests.py
def test_function_should_handle_combined_characters():
    input = u"u0bb4u0bbfuu0b95u0bb4u0bbf"
    assert is_palindrome(input) == True



                 (Input is ழ கழ )
Reversing unicode strings

The String: ழ கழ
Characters: ழ + ி + க + ழ + ி
Wrong: ி + ழ + க + ி + ழ
Right: ழ + ி + க + ழ + ி
# naïve implementation to pass the test



def is_palindrome(input_str):

   def reverse_string(input_str):

       def is_combining_char(char):

           chars = [u"u0bcd"]

           return char in chars

       reversed_chars = []

       for char in input_str:

           if is_combining_char(char): reversed_chars.insert(1, char)

           else: reversed_chars.insert(0, char)

       return "".join(reversed_chars)

   input_stripped = input_str.replace(" ", "")

   input_clean = input_stripped.lower()

   reversed_string = reverse_string(input_clean)

   return input_clean == reversed_string
And so it continues...

●   Turns out reversing a string is quite complex
    when unicode scripts come into the picture
●   Many different cases to consider
●   Unit tests can validate the complex code logic
    and check for regression errors
Why is unit testing important?

●   Quality
●   Regression
●   Safety Net
●   Integration with build
    and CI tools
●   Documentation
Attributes of good tests

●   Fast
●   Clear
●   Isolated
●   Reliable
Unit Testing in Python

●   We will look at three test frameworks
    ●   unittest
    ●   py.test
    ●   nose
What are we looking for?

●   Ease of writing tests    ●   xUnit output support
●   Ease of running tests    ●   Test →Doc
●   Test autodiscovery       ●   Code coverage
●   Running specific tests   ●   Code profiling
●   Running failed tests     ●   Parallel testing
●   Setup & teardown         ●   Interactive debug
unittest
import unittest


class TestPalindrome(unittest.TestCase):
    def test_function_should_accept_palindromes(self):
        input = “noon”
        self.assertTrue(is_palindrome(input))
unittest features

+ Similar to standard unit testing frameworks in
other languages (jUnit, Nunit...)
+ Included in base python standard library
+ Best IDE support
+ Maximum adoption
unittest features

– Inflexible, cumbersome, unpythonic
– Requires lots of boilerplate code to write code
– No test autodiscovery
– No support for running specific tests
– Limited support for setup and teardown
– No support for advanced test features
py.test
def test_function_should_accept_palindromic_words():
    input = "noon"
    assert is_palindrome(input) == True
py.test features

+ Test autodiscovery
+ Easy to write and run tests
+ Supports most of the advanced features –
parallel testing, parametrized tests, compatibility
with unittest, coverage, interactive debug
+ Good support for extensions
py.test features

– Not standard
– Lack of IDE support
nose
def test_function_should_accept_palindromic_words():
    input = "noon"
    assert is_palindrome(input) == True
nose features

+ Compatible with unittest
+ Supports all advanced features
+ Works well with Django, Pylons, Turbogears
+ Excellent plugin support
+ Supported by some IDEs
+ Most popular among alternative test frameworks
nose features

– Not standard
Some interesting plugins

●   Code coverage – Shows you how well your unit
    tests covers the code
●   Profiling – Measures the time taken by
    functions when running the tests
●   Parallel testing – Runs tests in parallel to speed
    things up
Other Interesting Features

●   Generative tests – Runs the same test sequence
    with different combinations of input data
●   Interactive debug – Drops into the python
    debugger on test failure
How we use nose
..Scriptspaver.exe test_django
---> test_django
.............
Ran 1302 tests in 262.391s


OK
Destroying test database...
How we use nose
..Scriptspaver.exe test_django --database=sqlite3
--exclude=south
---> test_django
.............
Ran 1274 tests in 128.359s


OK
Destroying test database...
How we use nose
..Scriptspaver.exe test_django metrics --with-coverage
--cover-package=metrics
Name                            Stmts   Exec   Cover
----------------------------------------------------------
metrics                             0      0    100%
metrics.cumulative_calculator      34     34    100%
metrics.models                     39     37     94%   48-49
metrics.throughput                 13     13    100%
metrics.views                     100     91     91%   20-
22, 33-35, 46-48
TOTAL                             186    175     94%
Nose Plugins - Spec
Test → Doc


class TestIsPalindrome(self)
    def test_should_accept_palindromic_words
    def test_function_should_ignore_case
    def test_function_should_ignore_trailing_space


IsPalindrome
 - Should accept palindromic words
 - Should ignore case
 - Should ignore trailing space
Nose Plugins - Xunit

●   Provides test result output in the standard xUnit
    xml format
●   This format can be read and integrated into
    standard continuous integration systems
Summary

Not much to choose between py.test and nose
nose is currently more popular
Use unittest if standardisation is important

Test Driven Development With Python

  • 1.
    Test Driven Developmentin Python Siddharta Govindaraj siddharta@silverstripesoftware.com
  • 2.
    What is TestDriven Development (TDD)? http://www.flickr.com/photos/johnsyweb/3051647719/
  • 3.
    Red, Green, Refactor ● First write a test ● Write code to pass the test ● Clean up the code ● Repeat
  • 4.
    TDD Example Write afunction to check whether a given input string is a palindrome
  • 5.
  • 6.
    tests.py from code importis_palindrome def test_function_should_accept_palindromic_words(): input = "noon" assert is_palindrome(input) == True
  • 7.
  • 8.
    code.py def is_palindrome(input_str): return input_str == input_str[::-1]
  • 9.
  • 10.
    tests.py def test_function_should_ignore_case(): input = "Noon" assert is_palindrome(input) == True
  • 11.
  • 12.
    code.py def is_palindrome(input_str): input_clean = input_str.lower() return input_clean == input_clean[::-1]
  • 13.
  • 14.
    tests.py def test_function_should_ignore_trailing_space(): input = "Noon " assert is_palindrome(input) == True
  • 15.
    code.py def is_palindrome(input_str): input_clean = input_str.strip().lower() return input_clean == input_clean[::-1]
  • 16.
    tests.py def test_function_should_ignore_spaces_in_text(): input = "ab raca carba" assert is_palindrome(input) == True
  • 17.
    code.py def is_palindrome(input_str): input_stripped = input_str.replace(" ", "") input_clean = input_stripped.lower() return input_clean == input_clean[::-1]
  • 18.
    tests.py def test_function_should_handle_combined_characters(): input = u"u0bb4u0bbfuu0b95u0bb4u0bbf" assert is_palindrome(input) == True (Input is ழ கழ )
  • 19.
    Reversing unicode strings TheString: ழ கழ Characters: ழ + ி + க + ழ + ி Wrong: ி + ழ + க + ி + ழ Right: ழ + ி + க + ழ + ி
  • 20.
    # naïve implementationto pass the test def is_palindrome(input_str): def reverse_string(input_str): def is_combining_char(char): chars = [u"u0bcd"] return char in chars reversed_chars = [] for char in input_str: if is_combining_char(char): reversed_chars.insert(1, char) else: reversed_chars.insert(0, char) return "".join(reversed_chars) input_stripped = input_str.replace(" ", "") input_clean = input_stripped.lower() reversed_string = reverse_string(input_clean) return input_clean == reversed_string
  • 21.
    And so itcontinues... ● Turns out reversing a string is quite complex when unicode scripts come into the picture ● Many different cases to consider ● Unit tests can validate the complex code logic and check for regression errors
  • 22.
    Why is unittesting important? ● Quality ● Regression ● Safety Net ● Integration with build and CI tools ● Documentation
  • 23.
    Attributes of goodtests ● Fast ● Clear ● Isolated ● Reliable
  • 24.
    Unit Testing inPython ● We will look at three test frameworks ● unittest ● py.test ● nose
  • 25.
    What are welooking for? ● Ease of writing tests ● xUnit output support ● Ease of running tests ● Test →Doc ● Test autodiscovery ● Code coverage ● Running specific tests ● Code profiling ● Running failed tests ● Parallel testing ● Setup & teardown ● Interactive debug
  • 26.
    unittest import unittest class TestPalindrome(unittest.TestCase): def test_function_should_accept_palindromes(self): input = “noon” self.assertTrue(is_palindrome(input))
  • 27.
    unittest features + Similarto standard unit testing frameworks in other languages (jUnit, Nunit...) + Included in base python standard library + Best IDE support + Maximum adoption
  • 28.
    unittest features – Inflexible,cumbersome, unpythonic – Requires lots of boilerplate code to write code – No test autodiscovery – No support for running specific tests – Limited support for setup and teardown – No support for advanced test features
  • 29.
    py.test def test_function_should_accept_palindromic_words(): input = "noon" assert is_palindrome(input) == True
  • 30.
    py.test features + Testautodiscovery + Easy to write and run tests + Supports most of the advanced features – parallel testing, parametrized tests, compatibility with unittest, coverage, interactive debug + Good support for extensions
  • 31.
    py.test features – Notstandard – Lack of IDE support
  • 32.
    nose def test_function_should_accept_palindromic_words(): input = "noon" assert is_palindrome(input) == True
  • 33.
    nose features + Compatiblewith unittest + Supports all advanced features + Works well with Django, Pylons, Turbogears + Excellent plugin support + Supported by some IDEs + Most popular among alternative test frameworks
  • 34.
  • 35.
    Some interesting plugins ● Code coverage – Shows you how well your unit tests covers the code ● Profiling – Measures the time taken by functions when running the tests ● Parallel testing – Runs tests in parallel to speed things up
  • 36.
    Other Interesting Features ● Generative tests – Runs the same test sequence with different combinations of input data ● Interactive debug – Drops into the python debugger on test failure
  • 37.
    How we usenose ..Scriptspaver.exe test_django ---> test_django ............. Ran 1302 tests in 262.391s OK Destroying test database...
  • 38.
    How we usenose ..Scriptspaver.exe test_django --database=sqlite3 --exclude=south ---> test_django ............. Ran 1274 tests in 128.359s OK Destroying test database...
  • 39.
    How we usenose ..Scriptspaver.exe test_django metrics --with-coverage --cover-package=metrics Name Stmts Exec Cover ---------------------------------------------------------- metrics 0 0 100% metrics.cumulative_calculator 34 34 100% metrics.models 39 37 94% 48-49 metrics.throughput 13 13 100% metrics.views 100 91 91% 20- 22, 33-35, 46-48 TOTAL 186 175 94%
  • 40.
    Nose Plugins -Spec Test → Doc class TestIsPalindrome(self) def test_should_accept_palindromic_words def test_function_should_ignore_case def test_function_should_ignore_trailing_space IsPalindrome - Should accept palindromic words - Should ignore case - Should ignore trailing space
  • 41.
    Nose Plugins -Xunit ● Provides test result output in the standard xUnit xml format ● This format can be read and integrated into standard continuous integration systems
  • 42.
    Summary Not much tochoose between py.test and nose nose is currently more popular Use unittest if standardisation is important