本文主要是介绍Mockito测试实例,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
Mockito是现在java领域中,用java语言编写的测试代码保持最简洁的一个mock框架(不与groovy等比较)。相比easymock,jmock,编写出来的代码更加容易阅读。无需录制mock方法调用就返回默认值是很大一个优势。
以下为实际的精简测试用例使用,相比较其它mock框架,更加容易阅读。更加符合DSL。
- /**
- * Mockito测试使用实例
- *
- * @author badqiu
- * @email badqiu(a)gmail.com
- *
- */
- public class MockitoListTest extends Assert{
- List<String> mockList = mock(List.class);
- @Test //标准测试
- public void test_3A() {
- //arrange
- when(mockList.get(0)).thenReturn("one");
- when(mockList.get(1)).thenReturn("two");
- //action
- String result1 = mockList.get(0);
- //assert
- assertEquals(result1,"one");
- verify(mockList).get(0);
- }
- @Test //返回默认值,无需录制动作
- public void test_default_value_return_by_mockito() {
- //action
- String result1 = mockList.get(0);
- //assert
- assertEquals(result1,null);
- verify(mockList).get(0);
- }
- @Test //参数的精确匹配及模糊匹配any()
- public void test_arguments_matche() {
- // 参数匹配,使用的eq()等参数匹配,则必须全部使用匹配符,不使用则不用
- // eq() any() anyInt() anyObject() anyMap() anyCollection()
- when(mockList.get(anyInt())).thenReturn("return me by anyInt()");
- for(int i = 0; i < 100; i++) {
- assertEquals("return me by anyInt()",mockList.get(i));
- }
- }
- @Test //调用次数不同,返回值也不同
- public void test_return_different_values_by_call_times() {
- when(mockList.get(0)).thenReturn("1").thenReturn("2");
- assertEquals(mockList.get(0),"1");
- assertEquals(mockList.get(0),"2");
- }
- @Test //验证方法调用次数
- public void verify_how_many_times_a_method_is_called() {
- mockList.get(0);
- mockList.get(2);
- mockList.get(2);
- mockList.get(2);
- //方法调用次数验证
- verify(mockList,atLeastOnce()).get(0);
- verify(mockList,never()).get(1);
- verify(mockList,times(3)).get(2);
- }
- // 没有返回值的方法 exception 抛出
- @Test(expected=IllegalStateException.class)
- public void test_throw_exception_with_not_return_value_method() {
- doThrow(new IllegalStateException("please not invocke clear() ")).when(mockList).clear();
- mockList.clear();
- }
- // 有返回值的方法 exception 抛出
- @Test(expected=IllegalStateException.class)
- public void test_throw_exception_with_has_return_value_method() {
- when(mockList.remove(1)).thenThrow(new IllegalStateException("I has return value"));
- mockList.remove(1);
- }
- }
这篇关于Mockito测试实例的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!