I am writing JUnit for a class that references a legacy class via constructor. The legacy class is in a third party jar, so I can't refactor it to make life easier....
This is the class being tested...
public MyClass {
public String methodToTest(String param) {
LegacyClass legacy = new LegacyClass(param);
*..... etc ........*
}
}
开发者_如何转开发
This is what I am trying to do in the mockito JUnit.
public MyClassTest {
@Test
public void testMethodToTest() throws Exception {
LegacyClass legacyMock = mock(LegacyClass.class);
when(*the LegacyClass constructor with param is called*).thenReturn(legacyMock);
*.... etc.....*
}
}
Any ideas on how I can do this ?????
Make a builder for the LegacyClass
:
public class LegacyClassBuilder {
public LegacyClass build(String param) {
return new LegacyClass(param);
}
}
That way your class can be tested so it creates the LegacyClass
with correct parameter.
public MyClass {
private LegacyClassBuilder builder;
public setBuilder(LegacyClassBuilder builder) {
this.builder = builder;
}
public String methodToTest(String param) {
LegacyClass legacy = this.builder.build(param);
... etc
}
}
The test will look something like this:
// ARRANGE
LegacyClassBuilder mockBuilder = mock(LegacyClassBuilder.class);
LegacyClass mockLegacy = mock(LegacyClass.class);
when(mockBuilder.build(anyString()).thenReturn(mockLegacy);
MyClass sut = new MyClass();
sut.setBuilder(mockBuilder);
String expectedParam = "LOLCAT";
// ACT
sut.methodToTest(expectedParam);
// ASSERT
verify(mockBuilder).build(expectedParam);
If LegacyClass
happens to be final
then you need to create non-final wrapper for LegacyClass
that MyClass
will use.
You can use PowerMockito framework:
import static org.powermock.api.mockito.PowerMockito.*;
whenNew(LegacyClass.class)
.withParameterTypes(String.class)
.withArguments(Matchers.any(String.class))
.thenReturn(new MockedLegacyClass(param));
Then write your MockedLegacyClass implementation according to your test needs.
I believe it is not possible to mock constructors using Mockito. Instead, I will suggest the following approach:
public MyClass {
public String methodToTest(String param) {
if(legacy== null){
//when junit runs, you will get mocked object (not null), hence don't initialize
LegacyClass legacy = new LegacyClass(param);
}
*..... etc ........*
}
}
public MyClassTest {
@InjectMock
Myclass myclass; // inject mock the real testable class
@Mock
LegacyClass legacy
@Test
public void testMethodToTest() throws Exception {
// when(legacy-constructor).thenReturn() ---not Required
// instead directly mock the required methods using mocked legacy object
when(legacy.getSomething(Mockito.any(String.class))).thenReturn(null);
*.... etc.....*
}
}
精彩评论