Mockito踩坑指南

由于Spring/Spring Boot中支持Mockito框架,所以我们的注解可以直接使用@RunWith(SpringJUnit4ClassRunner.class)
然后再引入相关的包即可。
首先给出官方文档地址:
https://static.javadoc.io/org.mockito/mockito-core/2.28.2/org/mockito/Mockito.html

bean
  Abean
  Bbean
  Cbean
controller
  Acon
  Bcon
  Ccon
service
  Aser
  Bser
  Cser
utils
  Aut
  But
  Cut
valid
  Ava
  Bva
  Cva
Mock对象有几种方式,一般如果需要Mock的类是项目中的一个类,比如要测试service层中的Aser,Aser调用了Aut和Bser,则可以对Aut和Bser用@Mock注解进行标识,Aser使用@InjectMock注解进行标识,如以下:

class AserTest{
        @InjectMock
        Aser aser;
        @Mock
        Aut aut;
        @Mock
        Bser bser;
}

表示Aut和Bser都是模拟的,将这两个模拟类注入到Aser中。
然后我们可以模拟这两个类的方法的返回值(官方文档称之为打桩):

when(Aut.Amethod(Object object)).thenReturn(Object result);

白话文就是当Aut这个类中的某个方法传入object这么一个值的时候,返回一个result,这个result是我们自己造的(模拟,随便编的符合返回条件)。
当Amethod方法中的传入的值很难构造或者会是一个随机值之类的值时,我们可以采用任意参数匹配:

when(Aut.Amethod(anyString())).thenReturn(Object result);
when(Aut.Amethod(anyInt())).thenReturn(Object result);
when(Aut.Amethod(anyLong())).thenReturn(Object result);
when(Aut.Amethod(anyBoolean())).thenReturn(Object result);
when(Aut.Amethod(anyDouble())).thenReturn(Object result);
when(Aut.Amethod(any())).thenReturn(Object result);
when(Aut.Amethod(anyList())).thenReturn(Object result);

除了8种包装类型以外,还有8种基本类型,以及常见的数据结构如List,Set,Map等。
若不清楚传回的值或者传回的值有可能为null时,可以直接用any()代替。
甚至还可以自己写匹配方法:

//自定义匹配参数函数方法
argThat(ArgumentMatcher matcher)
when(Aut.Amethod(new Method()))).thenReturn(true);
class Amethod extends ArgumentMatcher{}

注意:如果你使用了参数匹配,那么所有的参数都必须通过matchers来匹配,如下代码:

 //如果你使用了参数匹配,那么所有的参数都必须通过matchers来匹配
when(Aut.Amethod(any(),eq("hello")).thenReturn(Object result);  
  //下面的为无效的参数匹配使用
when(Aut.Amethod(any(),"hello").thenReturn(Object result);  

对于需要返回异常值的打桩,我们可以使用thenThrow()

when(Aut.Amethod(Object object)).thenThrow()

对于doReturn()、doThrow()、doAnswer()、doNothing()、doCallRealMethod()系列方法的运用,可以参照官方文档,这里不再给出详细解释
验证行为:

verify(Aut).Amethod(Object object);

该方法可以验证被Mock的类中的某方法是否发生。

Answer接口(方法预期回调接口)的应用
官方解释为:Allows stubbing with generic Answer interface.( 运行为泛型接口Answer打桩。)
在最初的Mockito里也没有这个具有争议性的特性。我们建议使用thenReturn() 或thenThrow()来打桩。这两种方法足够用于测试或者测试驱动开发。

when(mock.someMethod(anyString())).thenAnswer( new Answer() { 
        public Object answer(InvocationOnMock invocation) { 
                Object[] args = invocation.getArguments(); 
                Object mock = invocation.getMock(); 
                return "called with arguments: " + Arrays.toString(args); 
                } 
           }
);
//Following prints "called with arguments: [foo]" 
System.out.println(mock.someMethod("foo"));

官方文档的意思是一般别用,thenReturn() 或thenThrow()来打桩就足够了

Spy
Mock不是真实的对象,它只是用类型的class创建了一个虚拟对象,并可以设置对象行为
Spy是一个真实的对象,但它可以设置对象行为
InjectMocks创建这个类的对象并自动将标记@Mock、@Spy等注解的属性值注入到这个中
因为笔者暂时没有用到该方法,故暂时搁置,待以后更新。

总结

其实Mockito框架并不难用,只要掌握几个基本的方法基本上就可以了,但Mockito解决不了静态方法静态类的Mock,要想要Mock静态方法,就必须使用PowerMock框架,主要的坑也都在PowerMock中。

你可能感兴趣的:(Mockito踩坑指南)