SlideShare a Scribd company logo
Plone Testing Tools and Techniques
                                          An Overview

                               Presented By: Jordan Baker, Scryent
                                Plone Conference 2009, Budapest

                                                                     Image CC Encyclopedia Britannica




Wednesday, October 28, 2009
Goals of this Talk

      • practical and relevant usage of testing in Plone, not exhaustive


      • give you the confidence to start testing, or incorporate it more fully into your
        development process


      • give you some hands-on examples of using testing


      • provide a good review of the topic for more experienced developers


      • provide some quality resources as reference




Wednesday, October 28, 2009
Wednesday, October 28, 2009
Wednesday, October 28, 2009
About Me (Jordan Baker)

      • Using Plone since version 1.0


      • Senior Consultant/Founder of Scryent, a Plone service provider based in
        Toronto, Canada


      • Over the years I have gone from writing no tests, to writing lots of tests, to
        writing tests first, to getting 100% code coverage and beyond


      • Quality code and enhanced developer productivity are some of my passions




Wednesday, October 28, 2009
Slides and examples

      • These slides are available on Slideshare so you can follow along:

          http://tinyurl.com/pttt-slides


      • Also the Plone example used in this talk is available from bitbucket. To
        checkout a copy and build:

          $ hg clone https://hexsprite@bitbucket.org/hexsprite/pttt/
          $ cd pttt
          $ python2.4 bootstrap.py && bin/buildout




Wednesday, October 28, 2009
When to test?

      • When writing production code. Testing reduces defects as measured by
        reported bugs.	


      • Prototyping doesn't always require tests, as there is indeed some overhead to
        writing and maintaining tests.	


      • Safe as long as you remember to throw away your prototypes.




Wednesday, October 28, 2009
Testing Results

      • improves code quality, reduced defects


      • provides more maintainable developer documentation	


      • creates more loosely coupled code which can offer maintenance and re-use
        improvements


      • “Integrating Unit Testing into a Software Development Team's Process”:
           http://citeseerx.ist.psu.edu/viewdoc/download?doi=10.1.1.19.5798&rep=rep1&type=pdf




Wednesday, October 28, 2009
Why Test

      • produce more robust code faster	


      • tests passing is proof that you delivered what you were contracted to
        produce	


      • acceptance tests can map directly to your software requirements


      • business measurement help prevent scope creep


      • finding bugs early makes them cheaper to fix


      • refactor with confidence




Wednesday, October 28, 2009
Test First!

     • writing tests first forces you to get clear about requirements up front


     • facilitates a conversation with your product owners


     • generally results in more modular and reusable code


     • manual testing is slow and error-prone! The longer you put off writing tests
       the less efficient you are.




Wednesday, October 28, 2009
Test Levels in the Testing Pyramid




                              functional,
                                system


                              integration


                                 unit



Wednesday, October 28, 2009
Test-Code Cycle




Wednesday, October 28, 2009
More tests is not always better

      • Tests are software too and must be maintained.


      • Too many tests makes running your entire test suite slow.


      • Remember the pyramid. Just like the food pyramid you want to focus on
        having lots of tests from the lower levels which run quickly, and fewer from
        the top of the pyramid.


      • Some people are opportunistic testers. They will write a minimal test for the
        main path of their code and then only write additional tests if regressions are
        found.




Wednesday, October 28, 2009
Unit Tests

      • Answer the question: Is the code doing the right thing? Written from
        developer’s perspective


      • Tests implementation of a sliver of behaviour


      • Fast


      • Doesn't rely on any external resources (so use mocks or fakes for external
        resources)


      • Have lots of these, for every important variation of behaviour


      • Python’s unittest module - http://docs.python.org/library/unittest.html



Wednesday, October 28, 2009
When to Unit Test	

      • as often as possible when able to test components in isolation.


      • if you depend on a few outside components, think about using a Mock object
        to represent them


      • if you rely on having a full Plone site configured, then you are a better off with
        an integration test




Wednesday, October 28, 2009
Unit Testing Example

       class TestFizzBuzz(unittest.TestCase):
           """Unit test for the FizzBuzzWriter
           """

                def setUp(self):
                    self.fizzbuzz = FizzBuzzWriter()

                def test_numbers_divisable_by_three(self):
                    self.failUnlessEqual(self.fizzbuzz.write_number(3), 'FIZZ')



      • setUp called before each test method


      • tearDown called after each test method


      • methods beginning with test* are automatically added


Wednesday, October 28, 2009
Unit Testing Boilerplate

      • Tests are defined in a package named tests. Typically this should be created
        a subdirectory tests in your package. Don’t forget an empty __init__.py!


      • Create a seperate test file for each component you are testing, eg.
        test_fizzbuzz.py


      • Only files starting with test_ are picked up by Zope’s test runner


      • Required to find all tests and make them available to the test runner


          def test_suite():
              return unittest.defaultTestLoader.loadTestsFromName(__name__)




Wednesday, October 28, 2009
Test methods

      • Base class unittest.TestCase defines several assertion methods to use:


            • failIf(expr[, msg])


            • failUnless(expr[, msg])


            • failUnlessEqual(first, second[, msg])


            • failUnlessRaises(exception, callable, ...)


            • there’s also equivalent methods that start with assert...()


            • and more, see docs


Wednesday, October 28, 2009
FizzBuzz implementation



       class FizzBuzzWriter(object):
           def write_number(self, number):
               if number % 3 == 0 and number % 5 == 0:
                   return 'FIZZ BUZZ'
               if number % 3 == 0:
                   return 'FIZZ'
               if number % 5 == 0:
                   return 'BUZZ'
               return str(number)

               def write_numbers(self, count):
                   return ( self.write_number(number) for number in range(1, count + 1) )




Wednesday, October 28, 2009
Using Zope's testrunner

      • TIP: run only the test you need to run:

          $ bin/instance test -s your.module -t test_something


      • By using -s you can specify the module to look for tests.


      • If you want to run only one particular test method then use -t to specify which
        one.


      • Also to run only unit tests (as opposed to integration and functional tests) use
        the -u option:

          $ bin/instance test -s your.module -u




Wednesday, October 28, 2009
Running the Tests




          $ bin/instance test -s pttt.fizzbuzz
          Running tests at level 1
          Running unit tests:
            Running:
          .....




Wednesday, October 28, 2009
Sample Applications of Unit Testing in Plone



      • View Classes: instantiate your view class, using mock objects as necessary
        for request and context


      • Test validators for all corner cases, eg. phone number validator


      • Simple Event handlers




Wednesday, October 28, 2009
Additional Unit Testing Resources

      • official unittest docs: http://docs.python.org/library/unittest.html


      • http://plone.org/documentation/tutorial/best-practices/unit-testing


      • http://www.slideshare.net/Quintagroup/intro-to-testing-in-zope-plone-
        presentation


      • http://trizpug.org/Members/tbryan/unittest_talk




Wednesday, October 28, 2009
Integration Tests

      • Plone is a complex system with many moving parts


      • integration tests will be necessary to confirm that components are properly
        registered and work together


      • When to use


            • when testing integration of various components and the flow in and out of
              your code. eg. cataloging, relationships, object creation, security, workflow


            • Verifying that view was registered correctly and works in context of the
              Plone site




Wednesday, October 28, 2009
Integration Testing with PloneTestCase

      • Builds on top of ZopeTestCase and PortalTestCase.


      • All tests happen in a sandbox. Zope cleans up after you and it doesn’t affect
        any of your on-disk ZODBs.


      • They are by their very nature quite slow. So write them as unit tests if
        possible. Essentially a full Plone site is created to run your tests in.




Wednesday, October 28, 2009
Plone Integration Test Example

      • Because users love to run FizzBuzz so often they want to generate a Page of
        Fizz Buzz results.


      • Let’s introduce a new view (using five.grok) which when given an appropriate
        number and a document id will generate a page with the results.




Wednesday, October 28, 2009
Writing an Integration Test

        class FizzBuzzIntegration(PloneTestCase):
            layer = ptc_layer

               def test_fizzbuzz_contents(self):
                   view = self.folder.restrictedTraverse('@@fizzbuzz')
                   view.generate_document(5)

                      # document with id fizzbuzz exists
                      self.failUnless('fizzbuzz' in self.folder)

                      text = self.folder.fizzbuzz.getText()

                      # verify contents are correct (Document converted to HTML for us)
                      self.failUnlessEqual(text, '<p>1<br />2<br />FIZZ<br />4<br />BUZZ</p>')

               def test_fizzbuzz_anonymous_cant_generate(self):
                   self.logout()
                   view = self.folder.restrictedTraverse('@@fizzbuzz')
                   self.assertRaises(Unauthorized, view.generate_document, 5)




Wednesday, October 28, 2009
Quick review of PloneTestCase’s API

      • self.loginAsPortalOwner()


      • .login(user)


      • .logout()


      • .setRoles([roles])


      • .portal


      • .folder


      • PloneTestCase.default_user


Wednesday, October 28, 2009
collective.testcaselayer and PloneTestCase

      • collective.testcaselayer, developed by Ross Patterson, provides layer base
        classes for Zope, CMF and Plone development.


      • Layers allow expensive setup of fixtures, such as a Plone site, to be shared
        by many tests.


      • Simplifies repetitive Plone testing boilerplate code while providing a clean
        way to extend.


      • Also of interest is the ability to create ZODB sandboxes for each layer so that
        sibling layers are isolated from each other.




Wednesday, October 28, 2009
Installing collective.testcaselayer using testing
      extras

      • When to use: when adding dependencies that are only required for testing


      • examples: collective.testcaselayer, mocker library, zc.testbrowser


      • dependencies are registered as setuptools extras so they can be optionally
        included


      • you should have a separate development buildout configuration that specifies
        the extras




Wednesday, October 28, 2009
Adding collective.testcaselayer

      • Use the extra_requires functionality of setuptools so that production usage
        won’t require collective.testcaselayer


      •
              from setuptools import setup, find_packages
              ...
              tests_require = ['collective.testcaselayer']
              ...
              setup(name='pttt.fizzbuzz',
                    ...
                    install_requires=[
                        'setuptools',
                        # -*- Extra requirements: -*-
                    ],
                    tests_require=tests_require,
                    extras_require={'tests': tests_require},
                    ...
                    entry_points="""




Wednesday, October 28, 2009
Enabling tests extras in your buildout

      • Find the eggs section in your buildout part and add:

         ...
         eggs +=
             pttt.fizzbuzz [tests]
         ...




Wednesday, October 28, 2009
Autoinclude your ZCML

      • Plone 3.3 includes support via z3c.autoinclude to automatically load ZCML in
        dependent packages using a setuptools entry point.


      • For Plone 3.2 you have to add z3c.autoinclude to your buildout and
        something like this somewhere in your buildout ZCML:

                  <includePlugins package="plone" file="configure.zcml" />


      • Here’s how we’d register ours in our packages’ setup.py:

                              entry_points="""
                              [z3c.autoinclude.plugin]
                              target = plone
                              “"",

Wednesday, October 28, 2009
Writing an Integration Test

        class FizzBuzzIntegration(PloneTestCase):
            layer = ptc_layer

               def test_fizzbuzz_contents(self):
                   view = self.folder.restrictedTraverse('@@fizzbuzz')
                   view.generate_document(5)

                      # document with id fizzbuzz exists
                      self.failUnless('fizzbuzz' in self.folder)

                      text = self.folder.fizzbuzz.getText()

                      # verify contents are correct (Document converted to HTML for us)
                      self.failUnlessEqual(text, '<p>1<br />2<br />FIZZ<br />4<br />BUZZ</p>')

               def test_fizzbuzz_anonymous_cant_generate(self):
                   self.logout()
                   view = self.folder.restrictedTraverse('@@fizzbuzz')
                   self.assertRaises(Unauthorized, view.generate_document, 5)




Wednesday, October 28, 2009
Generating the Fizzbuzz document




      class FizzBuzz(grok.View):
          grok.context(ATFolder)
          grok.require('zope2.View')

          def generate_document(self, count):
              writer = FizzBuzzWriter()
              text = 'n'.join(writer.write_numbers(count))
              self.context.invokeFactory('Document', id='fizzbuzz', title="Fizzbuzz
      results", text=text)




Wednesday, October 28, 2009
Running the test




       $ bin/instance test -s pttt.fizzbuzz -t test_fizzbuzz_contents -t
       test_fizzbuzz_anonymous_cant_generate




Wednesday, October 28, 2009
Make it faster with roadrunner

        • Roadrunner is a tool that preloads Plone to make running your integration
          tests much much faster. http://pypi.python.org/pypi/roadrunner


        • Due to interactions with z3c.autoinclude it will currently only reload your tests
          without repeating the Plone site setup.


        • Its easy to use too. Just add a roadrunner part to your buildout.cfg like so:
            [roadrunner]
            recipe = roadrunner:plone
            packages-under-test = pttt.*
        • Roadrunner accepts the same command line arguments as Zope testrunner.
          So we can run our tests like this:

            $ bin/roadrunner -s pttt.fizzbuzz


Wednesday, October 28, 2009
Plone Integration Testing Resources

      • Programmatically Manipulate Plone: http://plonemanual.twinapex.fi/content/
        index.html


      • PloneTestCase Tutorial - PloneConf 2004: http://www.zope.org/Members/
        shh/Tutorial


      • http://plone.org/documentation/tutorial/testing/integration-doctests-using-
        plonetestcase


      • PloneTestCase: http://plone.org/products/plonetestcase




Wednesday, October 28, 2009
Doctests

      • tests that look like interactive Python sessions


      • When to use


            • API Documentation, verify examples work


            • its a matter of taste, some people prefer unittests especially when there
              are a lot of variations


            • they are especially good for functional tests where the prose explains the
              acceptance test and the code verifies that it is working




Wednesday, October 28, 2009
Doctest boilerplate


               import unittest
               import doctest

               from Testing import ZopeTestCase as ztc

               from example.tests.tests import base

               def test_suite():
                   """This sets up a test suite that actually runs the tests in the class
                   above
                   """
                   return unittest.TestSuite([

                       ztc.ZopeDocFileSuite(
                           'tests/functional.txt', package='example.tests',
                           test_class=base.ExampleFunctionalTestCase,
                           optionflags=doctest.REPORT_ONLY_FIRST_FAILURE |
               doctest.NORMALIZE_WHITESPACE | doctest.ELLIPSIS),

                              ])




Wednesday, October 28, 2009
A Simple Doctest

      First we'll import and instantiate our FizzBuzzWriter class

      >>> from pttt.fizzbuzz.fizzbuzz import FizzBuzzWriter
      >>> writer = FizzBuzzWriter()

      Let's write out single numbers

      >>> writer.write_number(1)
      '1'
      >>> writer.write_number(3)
      'FIZZ'
      >>> writer.write_number(15)
      'FIZZ BUZZ'

      Finally let's write a sequence of numbers

      >>> list(writer.write_numbers(15))
      ['1', '2', 'FIZZ', '4', 'BUZZ', 'FIZZ', '7', '8', 'FIZZ', 'BUZZ',
      '11', 'FIZZ', '13', '14', 'FIZZ BUZZ']




Wednesday, October 28, 2009
Functional and System Tests

      • End to end tests


      • Typically black-box tests that act as an end-user would and are written from
        end user’s point of view. eg. click the button labeled “Login” vs. call the login
        method


      • inherently brittle as the UI often changes


      • Use zope.testbrowser, twill, Selenium


      • typically written as doctests but don’t need to be




Wednesday, October 28, 2009
Functional Tests

      • When to use:


            • blackbox testing


            • automated acceptance testing


            • Smoke or face-saving tests - exercise most important paths of business
              value


      • When not to use:


            • testing every corner case. use unit tests for that




Wednesday, October 28, 2009
About zope.testbrowser

      • testbrowser implements a Python scriptable browser that simulates
        accessing your Plone site.


      • Full docs for zope.testbrowser: http://pypi.python.org/pypi/zope.testbrowser


      • Note that using the testbrowser in Plone we should use the Five version
        which wraps it for use in a Zope 2 environment:


           from Products.Five.testbrowser import Browser


      • Not Javascript aware. If you need to test DHTML, Javascript, Ajax et al then
        you will need to use something like Selenium.




Wednesday, October 28, 2009
Using zope.testbrowser

      • Don’t hammer Plone.org ;)




         from zope.testbrowser.browser import Browser
         # this version of testbrowser works with external resources
         # for testing your own apps using internal Browser class:
         # from Products.Five.testbrowser import Browser

         browser = Browser('http://plone.org')
         browser.getControl(name='SearchableText').value = 'Testing'
         browser.getForm(id='search').submit()
         assert browser.isHtml
         assert 'Untested Code is Broken Code' in browser.contents




Wednesday, October 28, 2009
Plone Functional testbrowser API basics
      • Open your test Plone site: browser.open('http://nohost/plone/')


      • Click a link: browser.getLink(link_text).click()


      • Click the first link when multiple have the same name:
        browser.getLink(link_text, index=0).click()


      • Get URL: browser.url


      • Reload: browser.reload()


      • Change form value: browser.getControl(input_name).value = ‘Whatever’


      • Submit form: browser.getForm(id)

Wednesday, October 28, 2009
Two ways to login

      • One is to use Plone’s login mechanism, arguably more black-box since it
        should simulate what your users will actually do.

          >>> browser.open(portal_url)
          >>> browser.getControl(name='__ac_name').value = portal_owner
          >>> browser.getControl(name='__ac_password').value =
          default_password
          >>> browser.getControl(name='submit').click()


      • Alternatively you could add an auth header:

          >>> browser.addHeader('Authorization', 'Basic root:secret')




Wednesday, October 28, 2009
Functional Testing Example

      • Let’s take a look at an existing functional testing example from Plone’s source
        code from plone/app/workflow/tests/sharingpage.txt:


      • A couple things about this


            • browser.handleErrors = False means you’ll get proper tracebacks
              instead of cryptic 500 Errors


            • demonstrates pure black box testing, no assumptions of internal state




Wednesday, October 28, 2009
Functional Testing Resources

      • http://plone.org/documentation/tutorial/testing/functional-tests


      • Face Saving Tests: http://gojko.net/2007/09/25/effective-user-interface-
        testing




Wednesday, October 28, 2009
System Tests using twill

      • You can write system tests using testbrowser as well


      • Twill provides a simple domain specific language (DSL) for performing web
        tests. It also provides a Python API.


      • When to use


            • when doing whole system testing that includes caching proxy, multiple
              web servers, backend and database


            • testing live systems


            • deployment testing


Wednesday, October 28, 2009
Installing twill in your buildout

      • twill is on pypi, simply use zc.recipe.egg to install its scripts:


                              [twill]
                              recipe = zc.recipe.egg
                              eggs =
                                   twill


      • Also make sure to add the part to your [buildout] parts section.




Wednesday, October 28, 2009
Simple Twill Script



            go http://plone.org
            formvalue searchform SearchableText testing
            submit

            # assert that we found the following text
            find 'Untested Code is Broken Code'

            # assert that we didn't find this text:
            notfind 'Testing sucks'




Wednesday, October 28, 2009
Running twill interactively
       $ bin/twill-sh

         -= Welcome to twill! =-

       current page: *empty page*
       >> go http://plone.org
       ==> at http://plone.org
       current page: http://plone.org
       >> formvalue searchform SearchableText testing
       current page: http://plone.org
       >> submit
       current page: http://plone.org/search?SearchableText=testing
       >>
       current page: http://plone.org/search?SearchableText=testing
       >> # assert that we found the following text
       current page: http://plone.org/search?SearchableText=testing
       >> find 'Untested Code is Broken Code'
       current page: http://plone.org/search?SearchableText=testing
       >>
       current page: http://plone.org/search?SearchableText=testing
       >> # assert that we didn't find this text:
       current page: http://plone.org/search?SearchableText=testing
       >> notfind 'Testing sucks'
       current page: http://plone.org/search?SearchableText=testing


Wednesday, October 28, 2009
Writing a System Test

      • Verify your SSL configuration:

         # TEST: join form redirects to https
         go http://mysite.com
         follow "Join"

         # test that the resulting URL is https://
         url "^https:"
         url "/join_form$"
         find "Registration Form"

         # fill in registration form and register
         fv 2 fullname "Test User"
         fv 2 email "test@tester.com"
         submit
         find "You have been registered."
         fv 2 form.submitted 1
         submit
         find "You are now logged in"

         # home page is http
         url "^http://"




Wednesday, October 28, 2009
Mock and Fake objects

      • When to use:


            • unittest code that has external dependencies such as databases or
              network connections


            • depends on external components




Wednesday, October 28, 2009
Basic Mocks

      • Let’s say you have a test method that expects an object to be provided which
        provides an absolute_url method in order to return a calculated URL:


      • Without using an Integration test, how could you do this? Simply create a
        simple Python class that implements only the methods you need.


      • This can get tiresome if you have to create many of these mocks, or if you
        want to make some assertions about what is called on those mocks with
        what arguments.




Wednesday, October 28, 2009
Basic Mocking Example




         def calc_url(context):
             return context.absolute_url() + "/calculated_url"

         class MockDocument:
             def absolute_url(self):
                 return "http://plone/some_document"

         def test_calc_url(self):
             mock = MockDocument()
             self.failUnlessEqual(calc_url(mock), "http://plone/some_document/calculated_url")




Wednesday, October 28, 2009
Mocker

      • Python library for creating Mock objects and managing expectations we have
        for those Mock objects.


      • Other more advanced features as well such as proxies, patching and proxy
        replacement.


      • Unittest integration


      • Martin Aspeli took this further and created plone.mocktestcase which
        provides some helper methods that are specific to Zope and Plone
        development.

          http://pypi.python.org/pypi/plone.mocktestcase




Wednesday, October 28, 2009
A Mocking Example

      • Writing an interface to an external network service


      • Using the Component Architecture to create an abstract interface for a
        remote network service and using MockTestCase’s mock_utility to make this
        available to application code under test:

          In the
          network_service = self.mocker.mock()
          self.mock_utility(self.video_provider, INetworkService)




Wednesday, October 28, 2009
Mocking Resources

      • http://www.martinaspeli.net/articles/mock-testing-with-mocker-and-
        plone.mocktestcase




Wednesday, October 28, 2009
Coverage

      • answers the question: are my tests covering all the code in my application?


      • for production code I aim for 100%. Why? anything less than 100% can hide
        defects.


      • 100% code coverage is considered minimum standard *


      • does NOT guarantee the code has no bugs




      • * - http://www.plope.com/Members/chrism/a_hundred_percent




Wednesday, October 28, 2009
Coverage won’t catch this
      • This pseudo-code example would give 100% code coverage. What if I
        passed 0 to myfunc?




             def test_myfunc():
               myfunc(100)

             def myfunc(n):
               return 100 / n




Wednesday, October 28, 2009
Generating coverage report

      • Zope’s testrunner comes with a builtin coverage report tool, invoke like this:

          $ bin/instance test -s pttt.fizzbuzz --coverage=./coverage


      • When calculating coverage you should know that code runs much slower. So
        grab a coffee, tea or water and catch up on your xkcd.


      • The results are in:

            Ran 5 tests with 0 failures and 0 errors in 0.005 seconds.
          Tearing down left over layers:
            Tear down zope.testing.testrunner.layer.UnitTests in 0.000 seconds.
          lines   cov%   module   (path)
             16   100%   pttt.fizzbuzz.fizzbuzz   (/Users/jbb/co/pttt/src/pttt.fizzbuzz/
                                                   pttt/fizzbuzz/fizzbuzz.py)




Wednesday, October 28, 2009
HTML Coverage report using z3c.coverage

      • Produces nice looking reports that you can discuss with your team:




Wednesday, October 28, 2009
HTML Coverage report using z3c.coverage

      • Add this part to buildout:
                              [z3c-coverage]
                              recipe = zc.recipe.egg
                              eggs = z3c.coverage
                              extra-paths = ${zope2:location}/lib/python

      • Don’t forget to add z3c-coverage to [buildout] parts =


      • Generate reports:

           $ bin/coverage ./coverage ./coverage/reports




Wednesday, October 28, 2009
Coverage Resources

      • http://plone.org/documentation/tutorial/testing/code-coverage




Wednesday, October 28, 2009
Pdb-fu (debugging)

      • Getting test failures from Zope Testrunner? Use -D to drop you into Pdb using
        post-mortem debugging


      • Use pdb’s jump command to re-run certain lines of codes. Watch out for
        side-effects.


      • Special variable __return__ is set. Use “continue” to go to the end of the
        method and then you can easily examine the return result.


      • Breakpoint variables. Looping through 1000 items, set a breakpoint with an
        expression.


      • Missing source code? This could help, add to your buildout.cfg:
         [buildout]
         unzip = true

Wednesday, October 28, 2009
General Testing Tips

      • Write at the lowest level possible. This will ensure that your test will run as
        quickly as possible which becomes important when you have hundreds or
        thousands of tests.


      • Take your time, write out what you’re trying to do in your commends first
        before writing actual code:

          def test_whatever(self):
              # verify document was created
              # ensure that notification was sent




Wednesday, October 28, 2009
General Testing Tips

      • Broken tests that lie around for a long time because they are minor issues
        that no one can be bothered to fix can mask larger bugs due to too much
        noise and not enough signal. 0 failing tests (and no cheating!)


      • Hard to test something? Step back, try to break it up into easier to test
        pieces.




Wednesday, October 28, 2009
Some Further Resources

      • Plone Testing tutorial: http://plone.org/documentation/tutorial/testing/


      • plone.reload: http://pypi.python.org/pypi/plone.reload


      • http://diveintopython.org/unit_testing/index.html


      • example tests of all sorts, mostly still valid: http://svn.plone.org/svn/
        collective/examples/example.tests/trunk/




Wednesday, October 28, 2009
Open Spaces and Sprinting

      • For all of those who want to have open discussions about Testing in Plone
        we’ll have an Open Space on Friday.


      • Also I’ll be sprinting on bringing roadrunner up to spec with Plone 4, Dexterity
        and Zope 2.12. Interested? Drop me a line.




Wednesday, October 28, 2009
Thanks




      • Your Feedback is appreciated: jbb@scryent.com


      • Find me on twitter: @hexsprite


      • Good luck and happy testing!




Wednesday, October 28, 2009
Thanks

      • Photos used licensed under Creative Commons 2.0:


            • http://www.flickr.com/photos/rupertuk/2102548824/


            • http://www.flickr.com/photos/kacey/2626513873




Wednesday, October 28, 2009
Ad

More Related Content

What's hot (20)

PPTX
Automated php unit testing in drupal 8
Jay Friendly
30 slides2.1K views
PDF
Token Testing Slides
ericholscher
87 slides6.9K views
ODP
Automated testing in Python and beyond
dn
20 slides1.7K views
PPT
Stopping the Rot - Putting Legacy C++ Under Test
Seb Rose
56 slides2.9K views
PDF
TDD in Python With Pytest
Eddy Reyes
31 slides8.1K views
PPT
How to test models using php unit testing framework?
satejsahu
16 slides3.4K views
PPTX
Unit testing presentation
Arthur Freyman
20 slides1.4K views
PDF
Oh so you test? - A guide to testing on Android from Unit to Mutation
Paul Blundell
70 slides5.6K views
PDF
Test all the things! Automated testing with Drupal 8
Sam Becker
35 slides1.4K views
ODP
Grails unit testing
pleeps
43 slides4.1K views
PPT
Automated Unit Testing
Mike Lively
49 slides4.7K views
PPTX
Grails Spock Testing
TO THE NEW | Technology
44 slides6.4K views
PDF
Unit test-using-spock in Grails
NexThoughts Technologies
31 slides1.6K views
PPT
20111018 boost and gtest
Will Shen
28 slides1.5K views
ODP
Testing In Java
David Noble
42 slides29.8K views
PDF
Django Testing
ericholscher
89 slides10.5K views
PPT
PHP Unit Testing
Tagged Social
26 slides3.6K views
PPTX
Unit tests and TDD
Roman Okolovich
19 slides114 views
PPT
Google mock for dummies
Harry Potter
43 slides2K views
PDF
Cursus phpunit
Nick Belhomme
43 slides5.6K views
Automated php unit testing in drupal 8
Jay Friendly
30 slides2.1K views
Token Testing Slides
ericholscher
87 slides6.9K views
Automated testing in Python and beyond
dn
20 slides1.7K views
Stopping the Rot - Putting Legacy C++ Under Test
Seb Rose
56 slides2.9K views
TDD in Python With Pytest
Eddy Reyes
31 slides8.1K views
How to test models using php unit testing framework?
satejsahu
16 slides3.4K views
Unit testing presentation
Arthur Freyman
20 slides1.4K views
Oh so you test? - A guide to testing on Android from Unit to Mutation
Paul Blundell
70 slides5.6K views
Test all the things! Automated testing with Drupal 8
Sam Becker
35 slides1.4K views
Grails unit testing
pleeps
43 slides4.1K views
Automated Unit Testing
Mike Lively
49 slides4.7K views
Grails Spock Testing
TO THE NEW | Technology
44 slides6.4K views
Unit test-using-spock in Grails
NexThoughts Technologies
31 slides1.6K views
20111018 boost and gtest
Will Shen
28 slides1.5K views
Testing In Java
David Noble
42 slides29.8K views
Django Testing
ericholscher
89 slides10.5K views
PHP Unit Testing
Tagged Social
26 slides3.6K views
Unit tests and TDD
Roman Okolovich
19 slides114 views
Google mock for dummies
Harry Potter
43 slides2K views
Cursus phpunit
Nick Belhomme
43 slides5.6K views

Viewers also liked (6)

ODP
Intro to Testing in Zope, Plone
Quintagroup
37 slides1.6K views
PPTX
'Wicked' Policy Challenges: Tools, Strategies and Directions for Driving Ment...
Wellesley Institute
49 slides486 views
PDF
A Taste of Python - Devdays Toronto 2009
Jordan Baker
39 slides1.3K views
ODP
Plone i18n, LinguaPlone
Quintagroup
38 slides1.1K views
PDF
Plone TuneUp challenges
Andrew Mleczko
51 slides1.1K views
PDF
Adobe Connect Audio Conference Bridge
Communique Conferencing, Inc.
18 slides1.8K views
Intro to Testing in Zope, Plone
Quintagroup
37 slides1.6K views
'Wicked' Policy Challenges: Tools, Strategies and Directions for Driving Ment...
Wellesley Institute
49 slides486 views
A Taste of Python - Devdays Toronto 2009
Jordan Baker
39 slides1.3K views
Plone i18n, LinguaPlone
Quintagroup
38 slides1.1K views
Plone TuneUp challenges
Andrew Mleczko
51 slides1.1K views
Adobe Connect Audio Conference Bridge
Communique Conferencing, Inc.
18 slides1.8K views
Ad

Similar to Plone Testing Tools And Techniques (20)

PDF
UPC Plone Testing Talk
Timo Stollenwerk
38 slides609 views
PDF
Behaviour Driven Development and Thinking About Testing
dn
50 slides635 views
PDF
Bdd and-testing
malcolmt
50 slides969 views
PDF
Introduction to Automated Testing
Lars Thorup
15 slides1.6K views
PDF
Introduction to-automated-testing
BestBrains
15 slides368 views
PDF
Plugin Testing
Tim Moore
57 slides959 views
PDF
Agile Testing Pasadena JUG Aug2009
Grig Gheorghiu
37 slides1.7K views
PDF
Plone Conference 2007: Acceptance Testing In Plone Using Funittest - Maik Röder
maikroeder
9 slides1.3K views
PDF
Test Driven Development - Caleb Tutty
Auckland Web Dev Nights
14 slides872 views
ZIP
TDD
Kerry Buckley
76 slides1.2K views
PPTX
Upstate CSCI 540 Unit testing
DanWooster1
22 slides94 views
PDF
Testing for Pragmatic People
davismr
31 slides404 views
PDF
Agile Software Testing the Agilogy Way
Jordi Pradel
43 slides147 views
PDF
DSR Testing (Part 1)
Steve Upton
188 slides1.2K views
PDF
Teaching and Learning TDD in the Coding Dojo
Emily Bache
69 slides6.7K views
PDF
Deliver Faster with BDD/TDD - Designing Automated Tests That Don't Suck
Kevin Brockhoff
45 slides149 views
PPTX
2016 10-04: tdd++: tdd made easier
Christian Hujer
111 slides410 views
PDF
PHPUnit & Continuous Integration: An Introduction
alexmace
27 slides2.6K views
PPT
Automated testing overview
Alex Pop
25 slides1.6K views
PDF
Testing Django Applications
Gareth Rushgrove
21 slides865 views
UPC Plone Testing Talk
Timo Stollenwerk
38 slides609 views
Behaviour Driven Development and Thinking About Testing
dn
50 slides635 views
Bdd and-testing
malcolmt
50 slides969 views
Introduction to Automated Testing
Lars Thorup
15 slides1.6K views
Introduction to-automated-testing
BestBrains
15 slides368 views
Plugin Testing
Tim Moore
57 slides959 views
Agile Testing Pasadena JUG Aug2009
Grig Gheorghiu
37 slides1.7K views
Plone Conference 2007: Acceptance Testing In Plone Using Funittest - Maik Röder
maikroeder
9 slides1.3K views
Test Driven Development - Caleb Tutty
Auckland Web Dev Nights
14 slides872 views
TDD
Kerry Buckley
76 slides1.2K views
Upstate CSCI 540 Unit testing
DanWooster1
22 slides94 views
Testing for Pragmatic People
davismr
31 slides404 views
Agile Software Testing the Agilogy Way
Jordi Pradel
43 slides147 views
DSR Testing (Part 1)
Steve Upton
188 slides1.2K views
Teaching and Learning TDD in the Coding Dojo
Emily Bache
69 slides6.7K views
Deliver Faster with BDD/TDD - Designing Automated Tests That Don't Suck
Kevin Brockhoff
45 slides149 views
2016 10-04: tdd++: tdd made easier
Christian Hujer
111 slides410 views
PHPUnit & Continuous Integration: An Introduction
alexmace
27 slides2.6K views
Automated testing overview
Alex Pop
25 slides1.6K views
Testing Django Applications
Gareth Rushgrove
21 slides865 views
Ad

Recently uploaded (20)

PDF
Upskill to Agentic Automation 2025 - Kickoff Meeting
DianaGray10
46 slides236 views
PDF
Arcee AI - building and working with small language models (06/25)
Julien SIMON
22 slides78 views
PPTX
The Yotta x CloudStack Advantage: Scalable, India-First Cloud
ShapeBlue
14 slides76 views
PDF
Rethinking Security Operations - SOC Evolution Journey.pdf
Haris Chughtai
13 slides66 views
PDF
UiPath vs Other Automation Tools Meeting Presentation.pdf
Tracy Dixon
16 slides32 views
PDF
CloudStack GPU Integration - Rohit Yadav
ShapeBlue
70 slides109 views
PPTX
Lifting and Rigging Safety AQG-2025-2.pptx
farrukhkhan658034
21 slides15 views
PDF
How Current Advanced Cyber Threats Transform Business Operation
Eryk Budi Pratama
21 slides74 views
PDF
2025-07-15 EMEA Volledig Inzicht Dutch Webinar
ThousandEyes
34 slides28 views
PDF
SFWelly Summer 25 Release Highlights July 2025
Anna Loughnan Colquhoun
31 slides105 views
PDF
"Effect, Fiber & Schema: tactical and technical characteristics of Effect.ts"...
Fwdays
44 slides19 views
PDF
Impact of IEEE Computer Society in Advancing Emerging Technologies including ...
Hironori Washizaki
36 slides66 views
PDF
Novus Safe Lite- What is Novus Safe Lite.pdf
Novus Hi-Tech
4 slides41 views
PPTX
Simplifying End-to-End Apache CloudStack Deployment with a Web-Based Automati...
ShapeBlue
13 slides78 views
PPTX
Extensions Framework (XaaS) - Enabling Orchestrate Anything
ShapeBlue
21 slides109 views
PDF
Log-Based Anomaly Detection: Enhancing System Reliability with Machine Learning
Mohammed BEKKOUCHE
14 slides164 views
PDF
Upgrading to z_OS V2R4 Part 01 of 02.pdf
Flavio787771
52 slides27 views
PDF
SWEBOK Guide and Software Services Engineering Education
Hironori Washizaki
35 slides128 views
PDF
Shuen Mei Parth Sharma Boost Productivity, Innovation and Efficiency wit...
AWS Chicago
22 slides32 views
PPTX
Building and Operating a Private Cloud with CloudStack and LINBIT CloudStack ...
ShapeBlue
31 slides106 views
Upskill to Agentic Automation 2025 - Kickoff Meeting
DianaGray10
46 slides236 views
Arcee AI - building and working with small language models (06/25)
Julien SIMON
22 slides78 views
The Yotta x CloudStack Advantage: Scalable, India-First Cloud
ShapeBlue
14 slides76 views
Rethinking Security Operations - SOC Evolution Journey.pdf
Haris Chughtai
13 slides66 views
UiPath vs Other Automation Tools Meeting Presentation.pdf
Tracy Dixon
16 slides32 views
CloudStack GPU Integration - Rohit Yadav
ShapeBlue
70 slides109 views
Lifting and Rigging Safety AQG-2025-2.pptx
farrukhkhan658034
21 slides15 views
How Current Advanced Cyber Threats Transform Business Operation
Eryk Budi Pratama
21 slides74 views
2025-07-15 EMEA Volledig Inzicht Dutch Webinar
ThousandEyes
34 slides28 views
SFWelly Summer 25 Release Highlights July 2025
Anna Loughnan Colquhoun
31 slides105 views
"Effect, Fiber & Schema: tactical and technical characteristics of Effect.ts"...
Fwdays
44 slides19 views
Impact of IEEE Computer Society in Advancing Emerging Technologies including ...
Hironori Washizaki
36 slides66 views
Novus Safe Lite- What is Novus Safe Lite.pdf
Novus Hi-Tech
4 slides41 views
Simplifying End-to-End Apache CloudStack Deployment with a Web-Based Automati...
ShapeBlue
13 slides78 views
Extensions Framework (XaaS) - Enabling Orchestrate Anything
ShapeBlue
21 slides109 views
Log-Based Anomaly Detection: Enhancing System Reliability with Machine Learning
Mohammed BEKKOUCHE
14 slides164 views
Upgrading to z_OS V2R4 Part 01 of 02.pdf
Flavio787771
52 slides27 views
SWEBOK Guide and Software Services Engineering Education
Hironori Washizaki
35 slides128 views
Shuen Mei Parth Sharma Boost Productivity, Innovation and Efficiency wit...
AWS Chicago
22 slides32 views
Building and Operating a Private Cloud with CloudStack and LINBIT CloudStack ...
ShapeBlue
31 slides106 views

Plone Testing Tools And Techniques

  • 1. Plone Testing Tools and Techniques An Overview Presented By: Jordan Baker, Scryent Plone Conference 2009, Budapest Image CC Encyclopedia Britannica Wednesday, October 28, 2009
  • 2. Goals of this Talk • practical and relevant usage of testing in Plone, not exhaustive • give you the confidence to start testing, or incorporate it more fully into your development process • give you some hands-on examples of using testing • provide a good review of the topic for more experienced developers • provide some quality resources as reference Wednesday, October 28, 2009
  • 3. Wednesday, October 28, 2009
  • 4. Wednesday, October 28, 2009
  • 5. About Me (Jordan Baker) • Using Plone since version 1.0 • Senior Consultant/Founder of Scryent, a Plone service provider based in Toronto, Canada • Over the years I have gone from writing no tests, to writing lots of tests, to writing tests first, to getting 100% code coverage and beyond • Quality code and enhanced developer productivity are some of my passions Wednesday, October 28, 2009
  • 6. Slides and examples • These slides are available on Slideshare so you can follow along: http://tinyurl.com/pttt-slides • Also the Plone example used in this talk is available from bitbucket. To checkout a copy and build: $ hg clone https://hexsprite@bitbucket.org/hexsprite/pttt/ $ cd pttt $ python2.4 bootstrap.py && bin/buildout Wednesday, October 28, 2009
  • 7. When to test? • When writing production code. Testing reduces defects as measured by reported bugs. • Prototyping doesn't always require tests, as there is indeed some overhead to writing and maintaining tests. • Safe as long as you remember to throw away your prototypes. Wednesday, October 28, 2009
  • 8. Testing Results • improves code quality, reduced defects • provides more maintainable developer documentation • creates more loosely coupled code which can offer maintenance and re-use improvements • “Integrating Unit Testing into a Software Development Team's Process”: http://citeseerx.ist.psu.edu/viewdoc/download?doi=10.1.1.19.5798&rep=rep1&type=pdf Wednesday, October 28, 2009
  • 9. Why Test • produce more robust code faster • tests passing is proof that you delivered what you were contracted to produce • acceptance tests can map directly to your software requirements • business measurement help prevent scope creep • finding bugs early makes them cheaper to fix • refactor with confidence Wednesday, October 28, 2009
  • 10. Test First! • writing tests first forces you to get clear about requirements up front • facilitates a conversation with your product owners • generally results in more modular and reusable code • manual testing is slow and error-prone! The longer you put off writing tests the less efficient you are. Wednesday, October 28, 2009
  • 11. Test Levels in the Testing Pyramid functional, system integration unit Wednesday, October 28, 2009
  • 12. Test-Code Cycle Wednesday, October 28, 2009
  • 13. More tests is not always better • Tests are software too and must be maintained. • Too many tests makes running your entire test suite slow. • Remember the pyramid. Just like the food pyramid you want to focus on having lots of tests from the lower levels which run quickly, and fewer from the top of the pyramid. • Some people are opportunistic testers. They will write a minimal test for the main path of their code and then only write additional tests if regressions are found. Wednesday, October 28, 2009
  • 14. Unit Tests • Answer the question: Is the code doing the right thing? Written from developer’s perspective • Tests implementation of a sliver of behaviour • Fast • Doesn't rely on any external resources (so use mocks or fakes for external resources) • Have lots of these, for every important variation of behaviour • Python’s unittest module - http://docs.python.org/library/unittest.html Wednesday, October 28, 2009
  • 15. When to Unit Test • as often as possible when able to test components in isolation. • if you depend on a few outside components, think about using a Mock object to represent them • if you rely on having a full Plone site configured, then you are a better off with an integration test Wednesday, October 28, 2009
  • 16. Unit Testing Example class TestFizzBuzz(unittest.TestCase): """Unit test for the FizzBuzzWriter """ def setUp(self): self.fizzbuzz = FizzBuzzWriter() def test_numbers_divisable_by_three(self): self.failUnlessEqual(self.fizzbuzz.write_number(3), 'FIZZ') • setUp called before each test method • tearDown called after each test method • methods beginning with test* are automatically added Wednesday, October 28, 2009
  • 17. Unit Testing Boilerplate • Tests are defined in a package named tests. Typically this should be created a subdirectory tests in your package. Don’t forget an empty __init__.py! • Create a seperate test file for each component you are testing, eg. test_fizzbuzz.py • Only files starting with test_ are picked up by Zope’s test runner • Required to find all tests and make them available to the test runner def test_suite(): return unittest.defaultTestLoader.loadTestsFromName(__name__) Wednesday, October 28, 2009
  • 18. Test methods • Base class unittest.TestCase defines several assertion methods to use: • failIf(expr[, msg]) • failUnless(expr[, msg]) • failUnlessEqual(first, second[, msg]) • failUnlessRaises(exception, callable, ...) • there’s also equivalent methods that start with assert...() • and more, see docs Wednesday, October 28, 2009
  • 19. FizzBuzz implementation class FizzBuzzWriter(object): def write_number(self, number): if number % 3 == 0 and number % 5 == 0: return 'FIZZ BUZZ' if number % 3 == 0: return 'FIZZ' if number % 5 == 0: return 'BUZZ' return str(number) def write_numbers(self, count): return ( self.write_number(number) for number in range(1, count + 1) ) Wednesday, October 28, 2009
  • 20. Using Zope's testrunner • TIP: run only the test you need to run: $ bin/instance test -s your.module -t test_something • By using -s you can specify the module to look for tests. • If you want to run only one particular test method then use -t to specify which one. • Also to run only unit tests (as opposed to integration and functional tests) use the -u option: $ bin/instance test -s your.module -u Wednesday, October 28, 2009
  • 21. Running the Tests $ bin/instance test -s pttt.fizzbuzz Running tests at level 1 Running unit tests: Running: ..... Wednesday, October 28, 2009
  • 22. Sample Applications of Unit Testing in Plone • View Classes: instantiate your view class, using mock objects as necessary for request and context • Test validators for all corner cases, eg. phone number validator • Simple Event handlers Wednesday, October 28, 2009
  • 23. Additional Unit Testing Resources • official unittest docs: http://docs.python.org/library/unittest.html • http://plone.org/documentation/tutorial/best-practices/unit-testing • http://www.slideshare.net/Quintagroup/intro-to-testing-in-zope-plone- presentation • http://trizpug.org/Members/tbryan/unittest_talk Wednesday, October 28, 2009
  • 24. Integration Tests • Plone is a complex system with many moving parts • integration tests will be necessary to confirm that components are properly registered and work together • When to use • when testing integration of various components and the flow in and out of your code. eg. cataloging, relationships, object creation, security, workflow • Verifying that view was registered correctly and works in context of the Plone site Wednesday, October 28, 2009
  • 25. Integration Testing with PloneTestCase • Builds on top of ZopeTestCase and PortalTestCase. • All tests happen in a sandbox. Zope cleans up after you and it doesn’t affect any of your on-disk ZODBs. • They are by their very nature quite slow. So write them as unit tests if possible. Essentially a full Plone site is created to run your tests in. Wednesday, October 28, 2009
  • 26. Plone Integration Test Example • Because users love to run FizzBuzz so often they want to generate a Page of Fizz Buzz results. • Let’s introduce a new view (using five.grok) which when given an appropriate number and a document id will generate a page with the results. Wednesday, October 28, 2009
  • 27. Writing an Integration Test class FizzBuzzIntegration(PloneTestCase): layer = ptc_layer def test_fizzbuzz_contents(self): view = self.folder.restrictedTraverse('@@fizzbuzz') view.generate_document(5) # document with id fizzbuzz exists self.failUnless('fizzbuzz' in self.folder) text = self.folder.fizzbuzz.getText() # verify contents are correct (Document converted to HTML for us) self.failUnlessEqual(text, '<p>1<br />2<br />FIZZ<br />4<br />BUZZ</p>') def test_fizzbuzz_anonymous_cant_generate(self): self.logout() view = self.folder.restrictedTraverse('@@fizzbuzz') self.assertRaises(Unauthorized, view.generate_document, 5) Wednesday, October 28, 2009
  • 28. Quick review of PloneTestCase’s API • self.loginAsPortalOwner() • .login(user) • .logout() • .setRoles([roles]) • .portal • .folder • PloneTestCase.default_user Wednesday, October 28, 2009
  • 29. collective.testcaselayer and PloneTestCase • collective.testcaselayer, developed by Ross Patterson, provides layer base classes for Zope, CMF and Plone development. • Layers allow expensive setup of fixtures, such as a Plone site, to be shared by many tests. • Simplifies repetitive Plone testing boilerplate code while providing a clean way to extend. • Also of interest is the ability to create ZODB sandboxes for each layer so that sibling layers are isolated from each other. Wednesday, October 28, 2009
  • 30. Installing collective.testcaselayer using testing extras • When to use: when adding dependencies that are only required for testing • examples: collective.testcaselayer, mocker library, zc.testbrowser • dependencies are registered as setuptools extras so they can be optionally included • you should have a separate development buildout configuration that specifies the extras Wednesday, October 28, 2009
  • 31. Adding collective.testcaselayer • Use the extra_requires functionality of setuptools so that production usage won’t require collective.testcaselayer • from setuptools import setup, find_packages ... tests_require = ['collective.testcaselayer'] ... setup(name='pttt.fizzbuzz', ... install_requires=[ 'setuptools', # -*- Extra requirements: -*- ], tests_require=tests_require, extras_require={'tests': tests_require}, ... entry_points=""" Wednesday, October 28, 2009
  • 32. Enabling tests extras in your buildout • Find the eggs section in your buildout part and add: ... eggs += pttt.fizzbuzz [tests] ... Wednesday, October 28, 2009
  • 33. Autoinclude your ZCML • Plone 3.3 includes support via z3c.autoinclude to automatically load ZCML in dependent packages using a setuptools entry point. • For Plone 3.2 you have to add z3c.autoinclude to your buildout and something like this somewhere in your buildout ZCML: <includePlugins package="plone" file="configure.zcml" /> • Here’s how we’d register ours in our packages’ setup.py: entry_points=""" [z3c.autoinclude.plugin] target = plone “"", Wednesday, October 28, 2009
  • 34. Writing an Integration Test class FizzBuzzIntegration(PloneTestCase): layer = ptc_layer def test_fizzbuzz_contents(self): view = self.folder.restrictedTraverse('@@fizzbuzz') view.generate_document(5) # document with id fizzbuzz exists self.failUnless('fizzbuzz' in self.folder) text = self.folder.fizzbuzz.getText() # verify contents are correct (Document converted to HTML for us) self.failUnlessEqual(text, '<p>1<br />2<br />FIZZ<br />4<br />BUZZ</p>') def test_fizzbuzz_anonymous_cant_generate(self): self.logout() view = self.folder.restrictedTraverse('@@fizzbuzz') self.assertRaises(Unauthorized, view.generate_document, 5) Wednesday, October 28, 2009
  • 35. Generating the Fizzbuzz document class FizzBuzz(grok.View): grok.context(ATFolder) grok.require('zope2.View') def generate_document(self, count): writer = FizzBuzzWriter() text = 'n'.join(writer.write_numbers(count)) self.context.invokeFactory('Document', id='fizzbuzz', title="Fizzbuzz results", text=text) Wednesday, October 28, 2009
  • 36. Running the test $ bin/instance test -s pttt.fizzbuzz -t test_fizzbuzz_contents -t test_fizzbuzz_anonymous_cant_generate Wednesday, October 28, 2009
  • 37. Make it faster with roadrunner • Roadrunner is a tool that preloads Plone to make running your integration tests much much faster. http://pypi.python.org/pypi/roadrunner • Due to interactions with z3c.autoinclude it will currently only reload your tests without repeating the Plone site setup. • Its easy to use too. Just add a roadrunner part to your buildout.cfg like so: [roadrunner] recipe = roadrunner:plone packages-under-test = pttt.* • Roadrunner accepts the same command line arguments as Zope testrunner. So we can run our tests like this: $ bin/roadrunner -s pttt.fizzbuzz Wednesday, October 28, 2009
  • 38. Plone Integration Testing Resources • Programmatically Manipulate Plone: http://plonemanual.twinapex.fi/content/ index.html • PloneTestCase Tutorial - PloneConf 2004: http://www.zope.org/Members/ shh/Tutorial • http://plone.org/documentation/tutorial/testing/integration-doctests-using- plonetestcase • PloneTestCase: http://plone.org/products/plonetestcase Wednesday, October 28, 2009
  • 39. Doctests • tests that look like interactive Python sessions • When to use • API Documentation, verify examples work • its a matter of taste, some people prefer unittests especially when there are a lot of variations • they are especially good for functional tests where the prose explains the acceptance test and the code verifies that it is working Wednesday, October 28, 2009
  • 40. Doctest boilerplate import unittest import doctest from Testing import ZopeTestCase as ztc from example.tests.tests import base def test_suite(): """This sets up a test suite that actually runs the tests in the class above """ return unittest.TestSuite([ ztc.ZopeDocFileSuite( 'tests/functional.txt', package='example.tests', test_class=base.ExampleFunctionalTestCase, optionflags=doctest.REPORT_ONLY_FIRST_FAILURE | doctest.NORMALIZE_WHITESPACE | doctest.ELLIPSIS), ]) Wednesday, October 28, 2009
  • 41. A Simple Doctest First we'll import and instantiate our FizzBuzzWriter class >>> from pttt.fizzbuzz.fizzbuzz import FizzBuzzWriter >>> writer = FizzBuzzWriter() Let's write out single numbers >>> writer.write_number(1) '1' >>> writer.write_number(3) 'FIZZ' >>> writer.write_number(15) 'FIZZ BUZZ' Finally let's write a sequence of numbers >>> list(writer.write_numbers(15)) ['1', '2', 'FIZZ', '4', 'BUZZ', 'FIZZ', '7', '8', 'FIZZ', 'BUZZ', '11', 'FIZZ', '13', '14', 'FIZZ BUZZ'] Wednesday, October 28, 2009
  • 42. Functional and System Tests • End to end tests • Typically black-box tests that act as an end-user would and are written from end user’s point of view. eg. click the button labeled “Login” vs. call the login method • inherently brittle as the UI often changes • Use zope.testbrowser, twill, Selenium • typically written as doctests but don’t need to be Wednesday, October 28, 2009
  • 43. Functional Tests • When to use: • blackbox testing • automated acceptance testing • Smoke or face-saving tests - exercise most important paths of business value • When not to use: • testing every corner case. use unit tests for that Wednesday, October 28, 2009
  • 44. About zope.testbrowser • testbrowser implements a Python scriptable browser that simulates accessing your Plone site. • Full docs for zope.testbrowser: http://pypi.python.org/pypi/zope.testbrowser • Note that using the testbrowser in Plone we should use the Five version which wraps it for use in a Zope 2 environment: from Products.Five.testbrowser import Browser • Not Javascript aware. If you need to test DHTML, Javascript, Ajax et al then you will need to use something like Selenium. Wednesday, October 28, 2009
  • 45. Using zope.testbrowser • Don’t hammer Plone.org ;) from zope.testbrowser.browser import Browser # this version of testbrowser works with external resources # for testing your own apps using internal Browser class: # from Products.Five.testbrowser import Browser browser = Browser('http://plone.org') browser.getControl(name='SearchableText').value = 'Testing' browser.getForm(id='search').submit() assert browser.isHtml assert 'Untested Code is Broken Code' in browser.contents Wednesday, October 28, 2009
  • 46. Plone Functional testbrowser API basics • Open your test Plone site: browser.open('http://nohost/plone/') • Click a link: browser.getLink(link_text).click() • Click the first link when multiple have the same name: browser.getLink(link_text, index=0).click() • Get URL: browser.url • Reload: browser.reload() • Change form value: browser.getControl(input_name).value = ‘Whatever’ • Submit form: browser.getForm(id) Wednesday, October 28, 2009
  • 47. Two ways to login • One is to use Plone’s login mechanism, arguably more black-box since it should simulate what your users will actually do. >>> browser.open(portal_url) >>> browser.getControl(name='__ac_name').value = portal_owner >>> browser.getControl(name='__ac_password').value = default_password >>> browser.getControl(name='submit').click() • Alternatively you could add an auth header: >>> browser.addHeader('Authorization', 'Basic root:secret') Wednesday, October 28, 2009
  • 48. Functional Testing Example • Let’s take a look at an existing functional testing example from Plone’s source code from plone/app/workflow/tests/sharingpage.txt: • A couple things about this • browser.handleErrors = False means you’ll get proper tracebacks instead of cryptic 500 Errors • demonstrates pure black box testing, no assumptions of internal state Wednesday, October 28, 2009
  • 49. Functional Testing Resources • http://plone.org/documentation/tutorial/testing/functional-tests • Face Saving Tests: http://gojko.net/2007/09/25/effective-user-interface- testing Wednesday, October 28, 2009
  • 50. System Tests using twill • You can write system tests using testbrowser as well • Twill provides a simple domain specific language (DSL) for performing web tests. It also provides a Python API. • When to use • when doing whole system testing that includes caching proxy, multiple web servers, backend and database • testing live systems • deployment testing Wednesday, October 28, 2009
  • 51. Installing twill in your buildout • twill is on pypi, simply use zc.recipe.egg to install its scripts: [twill] recipe = zc.recipe.egg eggs = twill • Also make sure to add the part to your [buildout] parts section. Wednesday, October 28, 2009
  • 52. Simple Twill Script go http://plone.org formvalue searchform SearchableText testing submit # assert that we found the following text find 'Untested Code is Broken Code' # assert that we didn't find this text: notfind 'Testing sucks' Wednesday, October 28, 2009
  • 53. Running twill interactively $ bin/twill-sh -= Welcome to twill! =- current page: *empty page* >> go http://plone.org ==> at http://plone.org current page: http://plone.org >> formvalue searchform SearchableText testing current page: http://plone.org >> submit current page: http://plone.org/search?SearchableText=testing >> current page: http://plone.org/search?SearchableText=testing >> # assert that we found the following text current page: http://plone.org/search?SearchableText=testing >> find 'Untested Code is Broken Code' current page: http://plone.org/search?SearchableText=testing >> current page: http://plone.org/search?SearchableText=testing >> # assert that we didn't find this text: current page: http://plone.org/search?SearchableText=testing >> notfind 'Testing sucks' current page: http://plone.org/search?SearchableText=testing Wednesday, October 28, 2009
  • 54. Writing a System Test • Verify your SSL configuration: # TEST: join form redirects to https go http://mysite.com follow "Join" # test that the resulting URL is https:// url "^https:" url "/join_form$" find "Registration Form" # fill in registration form and register fv 2 fullname "Test User" fv 2 email "test@tester.com" submit find "You have been registered." fv 2 form.submitted 1 submit find "You are now logged in" # home page is http url "^http://" Wednesday, October 28, 2009
  • 55. Mock and Fake objects • When to use: • unittest code that has external dependencies such as databases or network connections • depends on external components Wednesday, October 28, 2009
  • 56. Basic Mocks • Let’s say you have a test method that expects an object to be provided which provides an absolute_url method in order to return a calculated URL: • Without using an Integration test, how could you do this? Simply create a simple Python class that implements only the methods you need. • This can get tiresome if you have to create many of these mocks, or if you want to make some assertions about what is called on those mocks with what arguments. Wednesday, October 28, 2009
  • 57. Basic Mocking Example def calc_url(context): return context.absolute_url() + "/calculated_url" class MockDocument: def absolute_url(self): return "http://plone/some_document" def test_calc_url(self): mock = MockDocument() self.failUnlessEqual(calc_url(mock), "http://plone/some_document/calculated_url") Wednesday, October 28, 2009
  • 58. Mocker • Python library for creating Mock objects and managing expectations we have for those Mock objects. • Other more advanced features as well such as proxies, patching and proxy replacement. • Unittest integration • Martin Aspeli took this further and created plone.mocktestcase which provides some helper methods that are specific to Zope and Plone development. http://pypi.python.org/pypi/plone.mocktestcase Wednesday, October 28, 2009
  • 59. A Mocking Example • Writing an interface to an external network service • Using the Component Architecture to create an abstract interface for a remote network service and using MockTestCase’s mock_utility to make this available to application code under test: In the network_service = self.mocker.mock() self.mock_utility(self.video_provider, INetworkService) Wednesday, October 28, 2009
  • 60. Mocking Resources • http://www.martinaspeli.net/articles/mock-testing-with-mocker-and- plone.mocktestcase Wednesday, October 28, 2009
  • 61. Coverage • answers the question: are my tests covering all the code in my application? • for production code I aim for 100%. Why? anything less than 100% can hide defects. • 100% code coverage is considered minimum standard * • does NOT guarantee the code has no bugs • * - http://www.plope.com/Members/chrism/a_hundred_percent Wednesday, October 28, 2009
  • 62. Coverage won’t catch this • This pseudo-code example would give 100% code coverage. What if I passed 0 to myfunc? def test_myfunc(): myfunc(100) def myfunc(n): return 100 / n Wednesday, October 28, 2009
  • 63. Generating coverage report • Zope’s testrunner comes with a builtin coverage report tool, invoke like this: $ bin/instance test -s pttt.fizzbuzz --coverage=./coverage • When calculating coverage you should know that code runs much slower. So grab a coffee, tea or water and catch up on your xkcd. • The results are in: Ran 5 tests with 0 failures and 0 errors in 0.005 seconds. Tearing down left over layers: Tear down zope.testing.testrunner.layer.UnitTests in 0.000 seconds. lines cov% module (path) 16 100% pttt.fizzbuzz.fizzbuzz (/Users/jbb/co/pttt/src/pttt.fizzbuzz/ pttt/fizzbuzz/fizzbuzz.py) Wednesday, October 28, 2009
  • 64. HTML Coverage report using z3c.coverage • Produces nice looking reports that you can discuss with your team: Wednesday, October 28, 2009
  • 65. HTML Coverage report using z3c.coverage • Add this part to buildout: [z3c-coverage] recipe = zc.recipe.egg eggs = z3c.coverage extra-paths = ${zope2:location}/lib/python • Don’t forget to add z3c-coverage to [buildout] parts = • Generate reports: $ bin/coverage ./coverage ./coverage/reports Wednesday, October 28, 2009
  • 66. Coverage Resources • http://plone.org/documentation/tutorial/testing/code-coverage Wednesday, October 28, 2009
  • 67. Pdb-fu (debugging) • Getting test failures from Zope Testrunner? Use -D to drop you into Pdb using post-mortem debugging • Use pdb’s jump command to re-run certain lines of codes. Watch out for side-effects. • Special variable __return__ is set. Use “continue” to go to the end of the method and then you can easily examine the return result. • Breakpoint variables. Looping through 1000 items, set a breakpoint with an expression. • Missing source code? This could help, add to your buildout.cfg: [buildout] unzip = true Wednesday, October 28, 2009
  • 68. General Testing Tips • Write at the lowest level possible. This will ensure that your test will run as quickly as possible which becomes important when you have hundreds or thousands of tests. • Take your time, write out what you’re trying to do in your commends first before writing actual code: def test_whatever(self): # verify document was created # ensure that notification was sent Wednesday, October 28, 2009
  • 69. General Testing Tips • Broken tests that lie around for a long time because they are minor issues that no one can be bothered to fix can mask larger bugs due to too much noise and not enough signal. 0 failing tests (and no cheating!) • Hard to test something? Step back, try to break it up into easier to test pieces. Wednesday, October 28, 2009
  • 70. Some Further Resources • Plone Testing tutorial: http://plone.org/documentation/tutorial/testing/ • plone.reload: http://pypi.python.org/pypi/plone.reload • http://diveintopython.org/unit_testing/index.html • example tests of all sorts, mostly still valid: http://svn.plone.org/svn/ collective/examples/example.tests/trunk/ Wednesday, October 28, 2009
  • 71. Open Spaces and Sprinting • For all of those who want to have open discussions about Testing in Plone we’ll have an Open Space on Friday. • Also I’ll be sprinting on bringing roadrunner up to spec with Plone 4, Dexterity and Zope 2.12. Interested? Drop me a line. Wednesday, October 28, 2009
  • 72. Thanks • Your Feedback is appreciated: jbb@scryent.com • Find me on twitter: @hexsprite • Good luck and happy testing! Wednesday, October 28, 2009
  • 73. Thanks • Photos used licensed under Creative Commons 2.0: • http://www.flickr.com/photos/rupertuk/2102548824/ • http://www.flickr.com/photos/kacey/2626513873 Wednesday, October 28, 2009