MyClass
JUnit でテストしたいという名前の Java クラスがあります。テストするパブリック メソッド は、同じクラスmethodA
のプライベート メソッド を呼び出して、methodB
どの条件付きパスに従うかを決定します。私の目標は、 のさまざまなパスの JUnit テストを作成することmethodA
です。また、methodB
サービスを呼び出すので、JUnit テストを実行するときに実際に実行したくありません。
methodB
「methodA」のさまざまなパスをテストできるように、そのリターンをモックして制御する最良の方法は何ですか?
モックを作成するときは JMockit を使用することを好むため、JMockit に適用されるすべての回答に特に関心があります。
これが私のクラスの例です:
public class MyClass {
public String methodA(CustomObject object1, CustomObject object2) {
if(methodB(object1, object2)) {
// Do something.
return "Result";
}
// Do something different.
return "Different Result";
}
private boolean methodB(CustomObject custObject1, CustomObject custObject2) {
/* For the sake of this example, assume the CustomObject.getSomething()
* method makes a service call and therefore is placed in this separate
* method so that later an integration test can be written.
*/
Something thing1 = cobject1.getSomething();
Something thing2 = cobject2.getSomething();
if(thing1 == thing2) {
return true;
}
return false;
}
}
これは私がこれまでに持っているものです:
public class MyClassTest {
MyClass myClass = new MyClass();
@Test
public void test_MyClass_methodA_enters_if_condition() {
CustomObject object1 = new CustomObject("input1");
CustomObject object2 = new CustomObject("input2");
// How do I mock out methodB here to return true?
assertEquals(myClass.methodA(object1, object2), "Result");
}
@Test
public void test_MyClass_methodA_skips_if_condition() {
CustomObject object1 = new CustomObject("input1");
CustomObject object2 = new CustomObject("input2");
// How do I mock out methodB here to return false?
assertEquals(myClass.methodA(object1, object2), "Different Result");
}
}
ありがとう!