Testing classesΒΆ

To test a user-defined class, you will create test cases that check whether instances are created properly, and you will create test cases for each of the methods as functions, by invoking them on particular instances and seeing whether they produce the correct return values and side effects, especially side effects that change data stored in the instance variables. To illustrate, we will use the Point class that was used in the introduction to classes.

To test whether the class constructor (the __init__) method is working correctly, create an instance and then make assertions to see whether its instance variables are set correctly.

A method like distanceFromOrigin in the Point class you saw does its work by computing a return value, so it needs to be tested with a return value test. A method like move in the Turtle class does its work by changing the contents of a mutable object (the point instance has its instance variable changed) so it needs to be tested with a side effect test.


Check your understanding

    rec-5-1: For each function, you should create exactly one test case.
  • True
  • Each test case checks whether the function works correctly on one input. It's a good idea to check several different inputs, including some extreme cases.
  • False
  • It's a good idea to check some extreme cases, as well as the typical cases.
    rec-5-2: To test a method that changes the value of an instance variable, which kind of test case should you write?
  • return value test
  • The method may return the correct value but not properly change the values of instance variables. See the move method of the Point class above.
  • side effect test
  • The move method of the Point class above is a good example.

    rec-5-3: To test the function maxabs, which kind of test case should you write?

    def maxabs(L):
       """L should be a list of numbers (ints or floats). The return value should be the maximum absolute value of the numbers in L."""
       return max(L, key = abs)
    
  • return value test
  • You want to check if maxabs returns the correct value for some input.
  • side effect test
  • The function has no side effects; even though it takes a list L as a parameter, it doesn't alter its contents.
    rec-5-4: We have usually used the sorted function, which takes a list as input and returns a new list containing the same items, possibly in a different order. There is also a method called sort for lists (e.g. [1,6,2,4].sort()). It changes the order of the items in the list itself, and it returns the value None. Which kind of test case would you use on the sort method?
  • return value test
  • The sort method always returns None, so there's nothing to check about whether it is returning the right value.
  • side effect test
  • You want to check whether it has the correct side effect, whether it correctly mutates the list.
Next Section - Glossary