1. ホーム
  2. java

[解決済み] パラメータを持つコンストラクタをモックする

2022-03-06 22:28:07

質問

以下のようなクラスがあります。

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 .

解決方法は?

投稿されたコードは、MockitoとPowermockitoの最新版で私のために動作します。もしかして、Aを用意していないのでしょうか? これを試してみてください。

A.java

public class A {
     private final String test;

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

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

MockA.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 で両方のテストがパスするはずです。