向Spring测试传递参数

brjng4g3  于 2023-04-10  发布在  Spring
关注(0)|答案(1)|浏览(164)

我们有一个标准的Spring测试类,它加载一个应用程序上下文:

  1. @ContextConfiguration(locations = {"classpath:app-context.xml" })
  2. @RunWith(SpringJUnit4ClassRunner.class)
  3. public class AppTest {
  4. ...
  5. }

XML上下文使用标准占位符,例如:${key}当完整的应用程序正常运行时(不是作为测试),main类将加载应用程序上下文,如下所示,以便Spring可以看到命令行参数:

  1. PropertySource ps = new SimpleCommandLinePropertySource(args);
  2. context.getEnvironment().getPropertySources().addLast(ps);
  3. context.load("classpath:META-INF/app-context.xml");
  4. context.refresh();
  5. context.start();

运行Spring测试时,需要添加哪些代码来确保程序参数(例如--key=value):是从IDE(在我们的例子中是Eclipse)传递到应用程序上下文中的吗?
谢谢

64jmpszr

64jmpszr1#

我不认为这是可能的,不是因为Spring,请参阅SO上的另一个问题并给出解释:

如果你决定在Eclipse中使用JVM参数(-Dkey=value),在Spring中使用这些值很容易:

  1. import org.springframework.beans.factory.annotation.Value;
  2. @ContextConfiguration(locations = {"classpath:app-context.xml" })
  3. @RunWith(SpringJUnit4ClassRunner.class)
  4. public class AppTest {
  5. @Value("#{systemProperties[key]}")
  6. private String argument1;
  7. ...
  8. }

或者,不使用@Value,只使用属性占位符:

  1. @ContextConfiguration(locations = {"classpath:META-INF/spring/test-app-context.xml" })
  2. @RunWith(SpringJUnit4ClassRunner.class)
  3. public class ExampleConfigurationTests {
  4. @Autowired
  5. private Service service;
  6. @Test
  7. public void testSimpleProperties() throws Exception {
  8. System.out.println(service.getMessage());
  9. }
  10. }

其中test-app-context.xml

  1. <bean class="com.foo.bar.ExampleService">
  2. <property name="arg" value="${arg1}" />
  3. </bean>
  4. <context:property-placeholder />

并且ExampleService是:

  1. @Component
  2. public class ExampleService implements Service {
  3. private String arg;
  4. public String getArg() {
  5. return arg;
  6. }
  7. public void setArg(String arg) {
  8. this.arg = arg;
  9. }
  10. public String getMessage() {
  11. return arg;
  12. }
  13. }

传递给测试的参数是VM argument(像-Darg1=value1一样指定),不是Program argument
在Eclipse中,都可以通过 * 右键单击 * 测试类-〉Run As-〉Run Configurations-〉JUnit-〉Arguments选项卡-〉VM Arguments来访问。

展开查看全部

相关问题