我有简单的spring boot web服务,配置我使用.properties
文件。作为spring-mail配置的示例,我在mailing.properties
文件夹中有单独的文件src/main/resources/config/
。
在主要应用程序中我使用:
包含它@PropertySource(value = { "config/mailing.properties" })
问题出现在测试中,我想使用此文件中的相同属性,但是当我尝试使用它时,我得到fileNotFaundExeption
。
问题是:
src/test
文件夹中是否应该有单独的资源,或者是否可以从src/main
文件夹访问资源,如果有,怎么办?UPDATE添加了来源
测试类:
@RunWith(SpringRunner.class)
@SpringBootTest
@TestPropertySource("classpath:config/mailing.properties")
public class DemoApplicationTests {
@Autowired
private TestService testService;
@Test
public void contextLoads() {
testService.printing();
}
}
服务类:
@Service
public class TestService
{
@Value("${str.pt}")
private int pt;
public void printing()
{
System.out.println(pt);
}
}
主app类:
@SpringBootApplication
@PropertySource(value = { "config/mailing.properties" })
public class DemoApplication {
public static void main(String[] args)
{
SpringApplication.run(DemoApplication.class, args);
}
}
答案 0 :(得分:3)
您可以在测试类中使用@TestPropertySource
注释。
例如,您在mailing.properties
文件中有此属性:
mailFrom=fromMe@mail.com
在您的测试类上注释@TestPropertySource("classpath:config/mailing.properties")
。
您应该可以使用@Value
注释来读取属性。
@Value("${fromMail}")
private String fromMail;
为避免在多个测试类上注释此注释,您可以实现超类或meta-annotations。
EDIT1:
@SpringBootApplication
@PropertySource("classpath:config/mailing.properties")
public class DemoApplication implements CommandLineRunner {
@Autowired
private MailService mailService;
public static void main(String[] args) throws Exception {
SpringApplication.run(DemoApplication.class, args);
}
@Override
public void run(String... arg0) throws Exception {
String s = mailService.getMailFrom();
System.out.println(s);
}
MailService的:
@Service
public class MailService {
@Value("${mailFrom}")
private String mailFrom;
public String getMailFrom() {
return mailFrom;
}
public void setMailFrom(String mailFrom) {
this.mailFrom = mailFrom;
}
}
DemoTestFile:
@RunWith(SpringJUnit4ClassRunner.class)
@SpringApplicationConfiguration(classes = DemoApplication.class)
@TestPropertySource("classpath:config/mailing.properties")
public class DemoApplicationTests {
@Autowired
MailService mailService;
@Test
public void contextLoads() {
String s = mailService.getMailFrom();
System.out.println(s);
}
}