terrmith
terrmith

Reputation: 113

How to create "deep" mock of a spring bean?

I have a spring beans like this

@Component
public class Service extends AbstractService {
        @Autowired
        private OtherService otherService;
}

For test I created a test context with Service mock

<bean id="serviceMock" class="org.easymock.EasyMock" factory-method="createMock"  primary="true">
    <constructor-arg index="0" type="java.lang.Class" value="com.pkg.my.Service"/>
</bean>

The mock still requires me to mock all the autowired dependencies. Is there a way to create just "dumb" mock without the need to create beans for all the dependencies?

Upvotes: 3

Views: 808

Answers (1)

Gerard Ribas
Gerard Ribas

Reputation: 727

Do you need DI on your unit tests?

I prefer the setter injection because then you don't need to initialize Spring Framework. For example:

@Component
public class Service extends AbstractService {
    private OtherService otherService;

    @Autowired
    public void setOtherService(OtherService otherService){...}
}

And then on your Test class:

public class ServiceTest {

    private Service service;

    private OtherService otherServiceMock;

    @Before
    public void setUp() {
        otherServiceMock= mock(OtherService.class);
        service = new Service();
        service.setOtherService(otherServiceMock);
    }

    @Test
    public void testSomeMethodBlaBla(){...}
}

Upvotes: 1

Related Questions