为什么我们不能使用Mockito为参数化构造函数创建间谍

2022-09-01 02:25:55

我只在我的代码中参数化了构造函数,我需要通过它注入。

我想监视参数化构造函数以注入模拟对象作为我的 junit 的依赖项。

public RegDao(){
 //original object instantiation here
Notification ....
EntryService .....
}

public RegDao(Notification notification , EntryService entry) {
 // initialize here
}

we have something like below : 
RegDao dao = Mockito.spy(RegDao.class);

但是我们是否有一些东西可以在构造函数中注入模拟对象并监视它?


答案 1

您可以通过在 junit 中使用参数化构造函数实例化主类,然后从中创建间谍来做到这一点。

假设您的主类是 。其依赖关系在哪里以及ABC

public class A {

    private B b;

    private C c;

    public A(B b,C c)
    {
        this.b=b;
        this.c=c;
    }

    void method() {
        System.out.println("A's method called");
        b.method();
        c.method();
        System.out.println(method2());

    }

    protected int method2() {
        return 10;
    }
}

然后,您可以使用参数化类为此编写 junit,如下所示

@RunWith(MockitoJUnitRunner.class)
public class ATest {

    A a;

    @Mock
    B b;

    @Mock
    C c;

    @Test
    public void test() {
        a=new A(b, c);
        A spyA=Mockito.spy(a);

        doReturn(20).when(spyA).method2();

        spyA.method();
    }
}

测试类的输出

A's method called
20
  1. 这里是您使用参数化构造函数注入到类中的模拟对象。BCA
  2. 然后我们创建了一个名为 .spyAspyA
  3. 我们通过修改类中受保护方法的返回值来检查是否真的有效,如果不是的实际值,则不可能。spymethod2AspyAspyA

答案 2

听起来您可能缺少依赖关系注入解决方案。Mockito非常适合与您的DI一起注入模拟。例如,您可以使用 CDI,在测试中用 注释 your 和 members,为两者声明 s,然后让 Mockito 将它们注入到你的测试中进行测试。NotificationEntryService@Inject@MockRegDao

以下是我认为您正在尝试运行的测试的工作模型:

import static org.junit.Assert.assertEquals;

import javax.inject.Inject;

import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.InjectMocks;
import org.mockito.Mock;
import org.mockito.Spy;
import org.mockito.runners.MockitoJUnitRunner;

@RunWith(MockitoJUnitRunner.class)
public class MockitoSpyInjection {
    static class Notification { }
    static class EntryService { }
    static class RegDao {
        @Inject
        Notification foo;

        @Inject
        EntryService  bar;

        public RegDao() {
        }

        public RegDao(Notification foo, EntryService bar) {
            this.foo = foo;
            this.bar = bar;
        }

        public Notification getFoo() {
            return foo;
        }

        public EntryService getBar() {
            return bar;
        }

    }


    @Mock
    Notification foo;

    @Mock
    EntryService bar;

    @Spy
    @InjectMocks
    RegDao dao;

    @Test
    public void test() {
        assertEquals(foo, dao.getFoo());
        assertEquals(bar, dao.getBar());
    }
}

推荐