小编典典

具有属性值的RequestMapping的Spring Boot REST控制器测试

spring-boot

关于Spring Boot REST Controller的单元测试,我遇到了@RequestMapping和应用程序属性的问题。

@RestController
@RequestMapping( "${base.url}" )
public class RESTController {
    @RequestMapping( value = "/path/to/{param}", method = RequestMethod.GET, produces = MediaType.APPLICATION_JSON_VALUE )
    public String getStuff( @PathVariable String param ) {
        // implementation of stuff
    }
}

我正在使用该应用程序的多个配置文件,因此有多个application-{profile}.properties文件。在每个文件中,base.url都会设置并显示属性值。我还有一个不同的Spring
Context Configuration进行测试,只有一个Bean与生产版本有所不同。

我的单元测试使用JUNit和Mockito / RestAssured如下所示:

@ActiveProfiles( "dev" )
@RunWith( SpringJUnit4ClassRunner.class )
@SpringApplicationConfiguration( classes = SpringContextConfigTest.class )
public class RESTControllerTest {

private static final String SINGLE_INDIVIDUAL_URL = "/query/api/1/individuals/";

@InjectMocks
private RESTController restController;

@Mock  
private Server mockedServer; // needed for the REST Controller to forward

@Before
public void setup() {
  RestAssuredMockMvc.mockMvc( MockMvcBuilders.standaloneSetup(restController).build() );
 MockitoAnnotations.initMocks( this );
}

@Test
public void testGetStuff() throws Exception {
  // test the REST Method "getStuff()"
}

问题是,在生产模式下启动时,REST控制器正在运行。在单元测试模式下,${base.url}构建mockMvc对象时,未设置该值,并且引发了异常:

java.lang.IllegalArgumentException: Could not resolve placeholder 'base.url' in string value "${base.url}"

我还尝试了以下方法,但有不同的例外:

  • @IntegrationTest 经过测试
  • @WebAppConfiguration
  • 使用webApplicationContext来构建MockMVC
  • 在测试中自动装配RESTController
  • 在SpringContextConfigTest类中手动定义REST Controller Bean

和其他各种组合,但似乎无济于事。那么,如何使其继续工作才能继续下去?我认为这是使用两个不同的配置类的上下文配置问题,但是我不知道如何解决它或如何“正确”地完成它。


阅读 458

收藏
2020-05-30

共1个答案

小编典典

我使用一个application.yml文件而不是profile-properties
解决了该问题。yml文件正在使用default配置文件的标准定义,该定义在文件顶部定义。

#default settings. these can be overriden for each profile.
#all these settings are overriden by env vars by spring priority
rest:
  api:
    version: 1
base:
   url: /query/api/${rest.api.version}
---
spring:
   profiles: dev
---
spring:
   profiles: production
main:
  show_banner: true
---
spring:
   profiles: test
base:
   url: /query/override/default/value
2020-05-30