问题描述
@RestController
@RequestMapping("api")
public class InnerRestController {
…
@PostMapping("createList")
public ItemListId createList(@RequestParam String strListId,@RequestParam String strDate) {
…
return null;
}
}
- 测试方法
变体1
@RunWith(springrunner.class)
@SpringBoottest(webEnvironment = SpringBoottest.WebEnvironment.RANDOM_PORT)
class InnerRestControllerTest {
@LocalServerPort
private int port;
@Autowired
private TestRestTemplate restTemplate;
@Test
void innerCreatePublishList() {
String url = "http://localhost:" + this.port;
String uri = "/api/createList";
String listStr = "kl";
String strDate = "10:21";
URI uriToEndpoint = UriComponentsBuilder
.fromHttpUrl(url)
.path(uri)
.queryParam("strListId",listStr)
.queryParam("strDate ",strDate)
.build()
.encode()
.toUri();
ResponseEntity< ItemListId > listIdResponseEntity =
restTemplate.postForEntity(uri,uriToEndpoint,ItemListId.class);
}
}
变体2
@Test
void createList() {
String uri = "/api/createList";
String listStr = "kl";
String strDate = "10:21";
UriComponentsBuilder builder = UriComponentsBuilder.fromHttpUrl(uri)
.queryParam("strListId",strDate);
Map<String,String> map = new HashMap<>();
map.put("strListId",listStr);//request parameters
map.put("strDate",strDate);
ResponseEntity< ItemListId > listIdResponseEntity =
restTemplate.postForEntity(uri,map,ItemListId.class);
}
更新_1
在我的项目中,异常是这样处理的:
- dto
public final class ErrorResponseDto {
private String errorMsg;
private int status;
@JsonFormat(shape = JsonFormat.Shape.STRING,pattern = "yyyy-MM-dd hh:mm:ss")
LocalDateTime timestamp;
...
- 处理程序
@RestControllerAdvice
public class ExceptionAdviceHandler {
@ExceptionHandler(value = PublishListException.class)
public ResponseEntity<ErrorResponseDto> handleGenericpublishListdublicateException(PublishListException e) {
ErrorResponseDto error = new ErrorResponseDto(e.getMessage());
error.setTimestamp(LocalDateTime.Now());
error.setStatus((HttpStatus.CONFLICT.value()));
return new ResponseEntity<>(error,HttpStatus.CONFLICT);
}
}
.w.s.m.s.DefaultHandlerExceptionResolver:已解决 [org.springframework.web.bind.MissingServletRequestParameterException: 必需的字符串参数'strListId'不存在]
解决方法
让我们来看看postEntity
中的declarations:
postForEntity(URI url,Object request,Class<T> responseType)
...
postForEntity(String url,Class<T> responseType,Object... uriVariables)
如您所见,第一个参数是URI
或String with uriVariables
,但是第二个参数始终是请求实体。
在第一个变体中,您将uri
字符串作为URI,然后将uriToEndpoint
作为请求实体进行传递,并假装它是请求对象。正确的解决方案是:
ResponseEntity<ItemListId> listIdResponseEntity =
restTemplate.postForEntity(uriToEndpoint,null,ItemListId.class);
解决您的评论。
如果服务器以HTTP 409响应,则RestTemplate
会引发ErrorResponseDto
内容的异常。您可以捕获RestClientResponseException
并反序列化存储在异常中的服务器响应。像这样:
try {
ResponseEntity<ItemListId> listIdResponseEntity =
restTemplate.postForEntity(uriToEndpoint,ItemListId.class);
...
} catch(RestClientResponseException e) {
byte[] errorResponseDtoByteArray = e.getResponseBodyAsByteArray();
// Deserialize byte[] array using Jackson
}