Mock Objects in Unit Tests

Mock Objects in Unit Tests by Lu Jian
01/12/2005

The use of mock objects is a widely employed unit testing strategy. It shields external and unnecessary factors from testing and helps developers focus on a specific function to be tested.

EasyMock is a well-known mock tool that can create a mock object for a given interface at runtime. The mock object's behavior can be defined prior encountering the test code in the test case. EasyMock is based on java.lang.reflect.Proxy, which can create dynamic proxy classes/objects according to given interfaces. But it has an inherent limitation from its use of Proxy: it can create mock objects only for interfaces.

Mocquer is a similar mock tool, but one that extends the functionality of EasyMock to support mock object creation for classes as well as interfaces.

Introduction to Mocquer

Mocquer is based on the Dunamis project, which is used to generate dynamic delegation classes/objects for specific interfaces/classes. For convenience, it follows the class and method naming conventions of EasyMock, but uses a different approach internally.

MockControl is the main class in the Mocquer project. It is used to control the the mock object life cycle and behavior definition. There are four kinds methods in this class.

  • Life Cycle Control Methods
    
        public void replay();
        public void verify();
        public void reset();
        

    The mock object has three states in its life cycle: preparing, working, and checking. Figure 1 shows the mock object life cycle.

    Mock Object Life Cycle
    Figure 1. Mock object life cycle

    Initially, the mock object is in the preparing state. The mock object's behavior can be defined in this state. replay() changes the mock object's state to the working state. All method invocations on the mock object in this state will follow the behavior defined in the preparing state. After verify() is called, the mock object is in the checking state. MockControl will compare the mock object's predefined behavior and actual behavior to see whether they match. The match rule depends on which kind of MockControl is used; this will be explained in a moment. The developer can use replay() to reuse the predefined behavior if needed. Call reset(), in any state, to clear the history state and change to the initial preparing state.

  • Factory Methods
    
        public static MockControl createNiceControl(...);
        public static MockControl createControl(...);
        public static MockControl createStrictControl(...);
        

    Mocquer provides three kinds of MockControls: Nice, Normal, and Strict. The developer can choose an appropriate MockControl in his or her test case, according to what is to be tested (the test point) and how the test will be carried out (the test strategy). The Nice MockControl is the loosest. It does not care about the order of method invocation on the mock object, or about unexpected method invocations, which just return a default value (that depends on the method's return value). The Normal MockControl is stricter than the Nice MockControl, as an unexpected method invocation on the mock object will lead to an AssertionFailedError. The Strict MockControl is, naturally, the strictest. If the order of method invocation on the mock object in the working state is different than that in the preparing state, an AssertionFailedError will be thrown. The table below shows the differences between these three kinds of MockControl.

     NiceNormalStrict
    Unexpected OrderDoesn't careDoesn't careAssertionFailedError
    Unexpected MethodDefault valueAssertionFailedErrorAssertionFailedError

    There are two versions for each factory method.

    
     public static MockControl createXXXControl(Class clazz);
     public static MockControl createXXXControl(Class clazz,
        Class[] argTypes, Object[] args);
        

    If the class to be mocked is an interface or it has a public/protected default constructor, the first version is enough. Otherwise, the second version factory method is used to specify the signature and provide arguments to the desired constructor. For example, assuming ClassWithNoDefaultConstructor is a class without a default constructor:

    
        public class ClassWithNoDefaultConstructor {
          public ClassWithNoDefaultConstructor(int i) {
            ...
          }
          ...
        }
        

    The MockControl can be obtained through:

    
        MockControl control = MockControl.createControl(
          ClassWithNoDefaultConstructor.class,
          new Class[]{Integer.TYPE},
          new Object[]{new Integer(0)});
        
  • Mock object getter method
    
        public Object getMock();
        

    Each MockControl contains a reference to the generated mock object. The developer can use this method to get the mock object and cast it to the real type.

    
        //get mock control
        MockControl control = MockControl.createControl(Foo.class);
        //Get the mock object from mock control
        Foo foo = (Foo) control.getMock();
        
  • Behavior definition methods
    
        public void setReturnValue(... value);
        public void setThrowable(Throwable throwable);
        public void setVoidCallable();
        public void setDefaultReturnValue(... value);
        public void setDefaultThrowable(Throwable throwable);
        public void setDefaultVoidCallable();
        public void setMatcher(ArgumentsMatcher matcher);
        public void setDefaultMatcher(ArgumentsMatcher matcher);
        

    MockControl allows the developer to define the mock object's behavior per each method invocation on it. When in the preparing state, the developer can call one of the mock object's methods first to specify which method invocation's behavior is to be defined. Then, the developer can use one of the behavior definition methods to specify the behavior. For example, take the following Foo class:

    
        //Foo.java
        public class Foo {
          public void dummy() throw ParseException {
            ...
          }
          public String bar(int i) {
            ...
          }
          public boolean isSame(String[] strs) {
            ...
          }
          public void add(StringBuffer sb, String s) {
            ...
          }
        }
        
    The behavior of the mock object can be defined as in the following:
    
        //get mock control
        MockControl control = MockControl.createControl(Foo.class);
        //get mock object
        Foo foo = (Foo)control.getMock();
        //begin behavior definition
    
        //specify which method invocation's behavior
        //to be defined.
        foo.bar(10);
        //define the behavior -- return "ok" when the
        //argument is 10
        control.setReturnValue("ok");
        ...
    
        //end behavior definition
        control.replay();
        ...
        

    Most of the more than 50 methods in MockControl are behavior definition methods. They can be grouped into following categories.

    • setReturnValue()

      These methods are used to specify that the last method invocation should return a value as the parameter. There are seven versions of setReturnValue(), each of which takes a primitive type as its parameter, such as setReturnValue(int i) or setReturnValue(float f). setReturnValue(Object obj) is used for a method that takes an object instead of a primitive. If the given value does not match the method's return type, an AssertionFailedError will be thrown.

      It is also possible to add the number of expected invocations into the behavior definition. This is called the invocation times limitation.

      
            MockControl control = ...
            Foo foo = (Foo)control.getMock();
            ...
            foo.bar(10);
            //define the behavior -- return "ok" when the
            //argument is 10. And this method is expected
            //to be called just once.
            setReturnValue("ok", 1);
            ...
            

      The code segment above specifies that the method invocation, bar(10), can only occur once. How about providing a range?

      
            ...
            foo.bar(10);
            //define the behavior -- return "ok" when the
            //argument is 10. And this method is expected
            //to be called at least once and at most 3
            //times.
            setReturnValue("ok", 1, 3);
            ...
            

      Now bar(10) is limited to be called at least once and at most, three times. More appealingly, a Range can be given to specify the limitation.

      
            ...
            foo.bar(10);
            //define the behavior -- return "ok" when the
            //argument is 10. And this method is expected
            //to be called at least once.
            setReturnValue("ok", Range.ONE_OR_MORE);
            ...
            

      Range.ONE_OR_MORE is a pre-defined Range instance, which means the method should be called at least once. If there is no invocation-count limitation specified in setReturnValue(), such as setReturnValue("Hello"), it will use Range.ONE_OR_MORE as its default invocation-count limitation. There are another two predefined Range instances: Range.ONE (exactly once) and Range.ZERO_OR_MORE (there's no limit on how many times you can call it).

      There is also a special set return value method: setDefaultReturnValue(). It defines the return value of the method invocation despite the method parameter values. The invocation times limitation is Range.ONE_OR_MORE. This is known as the method parameter values insensitive feature.

      
            ...
            foo.bar(10);
            //define the behavior -- return "ok" when calling
            //bar(int) despite the argument value.
            setDefaultReturnValue("ok");
            ...
            
    • setThrowable

      setThrowable(Throwable throwable) is used to define the method invocation's exception throwing behavior. If the given throwable does not match the exception declaration of the method, an AssertionFailedError will be thrown. The invocation times limitation and method parameter values insensitive features can also be applied.

      
            ...
            try {
              foo.dummy();
            } catch (Exception e) {
              //skip
            }
            //define the behavior -- throw ParseException
            //when call dummy(). And this method is expected
            //to be called exactly once.
            control.setThrowable(new ParseException("", 0), 1);
            ...
            
    • setVoidCallable()

      setVoidCallable() is used for a method that has a void return type. The invocation times limitation and method parameter values insensitive features can also be applied.

      
            ...
            try {
              foo.dummy();
            } catch (Exception e) {
              //skip
            }
            //define the behavior -- no return value
            //when calling dummy(). And this method is expected
            //to be called at least once.
            control.setVoidCallable();
            ...
            
    • Set ArgumentsMatcher

      In the working state, the MockControl will search the predefined behavior when any method invocation has happened on the mock object. There are three factors in the search criteria: method signature, parameter value, and invocation times limitation. The first and third factors are fixed. The second factor can be skipped by the parameter values insensitive feature described above. More flexibly, it is also possible to customize the parameter value match rule. setMatcher() can be used in the preparing state with a customized ArgumentsMatcher.

      
            public interface ArgumentsMatcher {
              public boolean matches(Object[] expected,
                                     Object[] actual);
            }
            

      The only method in ArgumentsMatcher, matches(), takes two arguments. One is the expected parameter values array (null, if the parameter values insensitive feature applied). The other is the actual parameter values array. A true return value means that the parameter values match.

      
            ...
            foo.isSame(null);
            //set the argument match rule -- always match
            //no matter what parameter is given
            control.setMatcher(MockControl.ALWAYS_MATCHER);
            //define the behavior -- return true when call
            //isSame(). And this method is expected
            //to be called at least once.
            control.setReturnValue(true, 1);
            ...
            

      There are three predefined ArgumentsMatcher instances in MockControl. MockControl.ALWAYS_MATCHER always returns true when matching, no matter what parameter values are given. MockControl.EQUALS_MATCHER calls equals() on each element in the parameter value array. MockControl.ARRAY_MATCHER is almost the same as MockControl.EQUALS_MATCHER, except that it calls Arrays.equals() instead of equals() when the element in the parameter value array is an array type. Of course, the developer can implement his or her own ArgumentsMatcher.

      A side effect of a customized ArgumentsMatcher is that it defines the method invocation's out parameter value.

      
            ...
            //just to demonstrate the function
            //of out parameter value definition
            foo.add(new String[]{null, null});
            //set the argument match rule -- always
            //match no matter what parameter given.
            //Also defined the value of out param.
            control.setMatcher(new ArgumentsMatcher() {
              public boolean matches(Object[] expected,
                                     Object[] actual) {
                 ((StringBuffer)actual[0])
                                    .append(actual[1]);
                 return true;
              }
            });
            //define the behavior of add().
            //This method is expected to be called at
            //least once.
            control.setVoidCallable(true, 1);
            ...
            
      setDefaultMatcher() sets the MockControl's default ArgumentsMatcher instance. If no specific ArgumentsMatcher is given, the default ArgumentsMatcher will be used. This method should be called before any method invocation behavior definition. Otherwise, an AssertionFailedError will be thrown.
      
            //get mock control
            MockControl control = ...;
            //get mock object
            Foo foo = (Foo)control.getMock();
      
            //set default ArgumentsMatcher
            control.setDefaultMatcher(
                           MockControl.ALWAYS_MATCHER);
            //begin behavior definition
            foo.bar(10);
            control.setReturnValue("ok");
            ...
            
      If setDefaultMatcher() is not used, MockControl.ARRAY_MATCHER is the system default ArgumentsMatcher.
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值