我正在尝试测试我的服务:
import org.springframework.core.env.Environment;
@Service
public class MyService {
@Autowired Environment env;
...
...
}
如何模拟环境接口,或者如何创建一个?
答案 0 :(得分:15)
Spring为属性源和环境提供了模拟。这两个都可以在org.springframework.mock.env
模块的spring-test
包中找到。
MockPropertySource
:自Spring Framework 3.1起可用 - Javadoc MockEnvironment
:自Spring Framework 3.2起可用 - Javadoc 这些内容简要记录在测试章节Mock Objects部分的参考手册中。
此致
萨姆
答案 1 :(得分:3)
实现类具有@Autowired Environment环境;因此,当您运行> JUnit测试用例时,您的实现类应该具有如下构造函数:
public class SampleImpl{
@Autowired
Environment env
public SampleImpl(Environment envObj){
this.env = envObj}
}
你的Junit Test课程应该如下:
import static org.junit.Assert.*;
import static org.mockito.Mockito.*;
import static org.mockito.MockitoAnnotations.initMocks;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Mock;
import org.springframework.core.env.Environment;
import static org.mockito.Mockito.when;
public class SampleTest {
@Mock Environment env;
@Before
public void init(){
env = mock(Environment.class);
when(env.getProperty("file.location"))
.thenReturn("C:\\file\\");
}
@Test
public void testCall()throws Exception{
SampleImpl obj = new SampleImpl(env);
obj.yourBusinessMethods();
}
}
希望这会有所帮助。谢谢史蒂夫。
答案 2 :(得分:1)
在基于Spring的测试中,您可以使用:@ActiveProfiles
因此激活一些配置文件(但这不是模拟)
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration("test.xml")
@ActiveProfiles("myProfile")
public class ProfileTest {
@Autowired
MyService myService
@Test
public void demo() {
assertTrue(myService.env.acceptsProfiles("myProfile"));
}
}
但我需要一个模拟然后自己编写或使用模拟框架(Mokito或JMock)。 Environment
有一个子类AbstractEnvironment
,您只需要覆盖customizePropertySources(MutablePropertySources propertySources)
方法
@Override
protected void customizePropertySources(MutablePropertySources propertySources) {
Properties properties = ....
propertySources.addLast(new MockPropertySource(properties));
}
答案 3 :(得分:1)
使用Mockito,你应该能够像下面的代码那样做。请注意,您需要提供访问者,以便可以在运行时设置“环境”字段。或者,如果您只有几个自动装配的字段,则可以更清晰地定义可以注入环境的构造函数。
import static org.mockito.Mockito.when;
import static org.mockito.MockitoAnnotations.initMocks;
import org.junit.Before;
import org.junit.Test;
import org.mockito.Mock;
public class MyServicetest {
// Define the Environment as a Mockito mock object
@Mock Environment env;
MyService myService;
@Before
public void init() {
// Boilerplate for initialising mocks
initMocks();
// Define how your mock object should behave
when(this.env.getProperty("MyProp")).thenReturn("MyValue");
// Initialise your service
myService = new MyServiceImpl();
// Ensure that your service uses your mock environment
myService.setEnvironment(this.env);
}
@Test
public void shouldDoSomething() {
// your test
}
}