使用参数模拟构造函数

2022-08-31 09:47:06

我有一个班级如下:

public class A {
    public A(String test) {
        bla bla bla
    }

    public String check() {
        bla bla bla
    }
}

构造函数中的逻辑是我试图嘲笑的东西。我想要任何调用,如:返回一个虚拟字符串。A(String test)check()new A($$$any string$$$).check()"test"

我试过了:

 A a = mock(A.class); 
 when(a.check()).thenReturn("test");

 String test = a.check(); // to this point, everything works. test shows as "tests"

 whenNew(A.class).withArguments(Matchers.anyString()).thenReturn(rk);
 // also tried:
 //whenNew(A.class).withParameterTypes(String.class).withArguments(Matchers.anyString()).thenReturn(rk);

 new A("random string").check();  // this doesn't work

但它似乎不起作用。 仍在通过构造函数逻辑,而不是获取 的模拟对象。new A($$$any string$$$).check()A


答案 1

您发布的代码适用于最新版本的Mockito和Powermockito。也许你还没有准备好A?试试这个:

答.java

public class A {
     private final String test;

    public A(String test) {
        this.test = test;
    }

    public String check() {
        return "checked " + this.test;
    }
}

莫卡.java

import static org.hamcrest.MatcherAssert.assertThat;
import static org.hamcrest.Matchers.equalTo;
import static org.mockito.Mockito.mock;
import static org.mockito.Mockito.when;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Mockito;
import org.powermock.api.mockito.PowerMockito;
import org.powermock.core.classloader.annotations.PrepareForTest;
import org.powermock.modules.junit4.PowerMockRunner;

@RunWith(PowerMockRunner.class)
@PrepareForTest(A.class)
public class MockA {
    @Test
    public void test_not_mocked() throws Throwable {
        assertThat(new A("random string").check(), equalTo("checked random string"));
    }
    @Test
    public void test_mocked() throws Throwable {
         A a = mock(A.class); 
         when(a.check()).thenReturn("test");
         PowerMockito.whenNew(A.class).withArguments(Mockito.anyString()).thenReturn(a);
         assertThat(new A("random string").check(), equalTo("test"));
    }
}

这两个测试都应该通过 mockito 1.9.0、powermockito 1.4.12 和 junit 4.8.2


答案 2

据我所知,你不能用 mockito 来嘲笑构造函数,只能用方法。但是根据Mockito google代码页面上的wiki,有一种方法可以通过在类中创建一个返回该类的新实例的方法来模拟构造函数行为。以下是直接来自Mockito维基的摘录

模式 1 - 使用单行方法创建对象

要使用模式 1(测试名为 MyClass 的类),可以替换类似

   Foo foo = new Foo( a, b, c );

   Foo foo = makeFoo( a, b, c );

并编写单行方法

   Foo makeFoo( A a, B b, C c ) { 
        return new Foo( a, b, c );
   }

重要的是,不要在方法中包含任何逻辑;只是创建对象的一行。这样做的原因是方法本身永远不会被单元测试。

当您来测试该类时,您测试的对象实际上将是Mockito间谍,并覆盖此方法以返回模拟。因此,您正在测试的不是类本身,而是对它的非常轻微的修改版本。

您的测试类可能包含以下成员:

  @Mock private Foo mockFoo;
  private MyClass toTest = spy(new MyClass());

最后,在你的测试方法中,你模拟了对makeFoo的调用,比如

  doReturn( mockFoo )
      .when( toTest )
      .makeFoo( any( A.class ), any( B.class ), any( C.class ));

如果要检查传递给构造函数的参数,则可以使用比 any() 更具体的匹配器。

如果你只是想返回你的类的模拟对象,我认为这应该适合你。无论如何,您可以在此处阅读有关模拟对象创建的更多信息:

http://code.google.com/p/mockito/wiki/MockingObjectCreation


推荐