我使用的是Mockito 1.9.0。我想在JUnit测试中模拟类的单个方法的行为,所以我有

final MyClass myClassSpy = Mockito.spy(myInstance);
Mockito.when(myClassSpy.method1()).thenReturn(myResults);

问题是,在第二行中,myClassSpy.method1()实际上被调用了,导致了一个异常。我使用模拟的唯一原因是,以后无论何时调用myClassSpy.method1(),都不会调用真正的方法,并且将返回myResults对象。

MyClass是一个接口,myInstance是它的实现。

我需要做什么来纠正这种间谍行为?


当前回答

让我引用官方文件:

重要的是,你在监视真实的物体! 有时候不可能使用when(Object)来攻击间谍。例子: List List = new LinkedList(); List spy =间谍(列表); //不可能:real方法被调用,所以spy.get(0)抛出IndexOutOfBoundsException(列表仍然为空) 当(spy.get (0)) .thenReturn (" foo "); //你必须使用doReturn()进行存根 doReturn(“foo”)当(间谍). get (0);

在你的情况下,它是这样的:

doReturn(resultsIWant).when(myClassSpy).method1();

其他回答

正如在一些评论中提到的,我的方法是“静态的”(尽管是由类的实例调用的)

public class A {
  static void myMethod() {...}
}
A instance = spy(new A());
verify(instance).myMethod(); // still calls the original method because it's static

解决方法是创建一个实例方法,或者通过一些配置将Mockito升级到一个新版本:https://stackoverflow.com/a/62860455/32453

你侦察真实物体的能力很重要

当使用间谍存根一个方法时,请使用doReturn()方法族。

when(Object)将导致调用可以抛出异常的实际方法。

List spy = spy(new LinkedList());

//Incorrect , spy.get() will throw IndexOutOfBoundsException   
 when(spy.get(0)).thenReturn("foo");

//You have to use doReturn() for stubbing    
doReturn("foo").when(spy).get(0);

在我的例子中,使用Mockito 2.0,我必须将所有any()参数更改为nullable(),以便存根真正的调用。

有点晚了,但以上的解决方案并不适合我,所以分享我的0.02美元

Mokcito版本:1.10.19

MyClass.java

private int handleAction(List<String> argList, String action)

Test.java

MyClass spy = PowerMockito.spy(new MyClass());

以下没有为我工作(实际的方法正在被调用):

1.

doReturn(0).when(spy , "handleAction", ListUtils.EMPTY_LIST, new String());

2.

doReturn(0).when(spy , "handleAction", any(), anyString());

3.

doReturn(0).when(spy , "handleAction", null, null);

以下工作:

doReturn(0).when(spy , "handleAction", any(List.class), anyString());

让我引用官方文件:

重要的是,你在监视真实的物体! 有时候不可能使用when(Object)来攻击间谍。例子: List List = new LinkedList(); List spy =间谍(列表); //不可能:real方法被调用,所以spy.get(0)抛出IndexOutOfBoundsException(列表仍然为空) 当(spy.get (0)) .thenReturn (" foo "); //你必须使用doReturn()进行存根 doReturn(“foo”)当(间谍). get (0);

在你的情况下,它是这样的:

doReturn(resultsIWant).when(myClassSpy).method1();