响应实体<T>和@ResponseBody之间有什么区别?

2022-08-31 15:43:27

我的控制器中有一个简单的处理程序,它返回一条消息

@RequestMapping(value = "/message")
@ResponseBody
public Message get() {
    return new Message(penguinCounter.incrementAndGet() + " penguin!");
}

同时,我可以使用这样的东西

@RequestMapping(value = "/message")
ResponseEntity<Message> get() {
    Message message = new Message(penguinCounter.incrementAndGet() + " penguin!");
    return new ResponseEntity<Message>(message, HttpStatus.OK);
}

这两种方法之间有什么区别?让我们不要考虑HttpStatus:)


答案 1

ResponseEntity 将在定义任意 HTTP 响应标头时为您提供一些额外的灵活性。请参阅此处的第 4 个构造函数:

http://docs.spring.io/spring/docs/3.0.x/api/org/springframework/http/ResponseEntity.html

ResponseEntity(T body, MultiValueMap<String,String> headers, HttpStatus statusCode) 

此处提供了可能的 HTTP 响应标头列表:

http://en.wikipedia.org/wiki/List_of_HTTP_header_fields#Responses

一些常用的方法是状态,内容类型和缓存控制。

如果你不需要它,使用@ResponseBody会更简洁一点。


答案 2

HttpEntity 表示 HTTP 请求或由标头正文组成的响应

// Only talks about body & headers, but doesn't talk about status code
public HttpEntity(T body, MultiValueMap<String,String> headers)

ResponseEntity 扩展了 HttpEntity,但也添加了一个 Http 状态代码。

// i.e ResponseEntity = HttpEntity + StatusCode
public ResponseEntity(T body, MultiValueMap<String,String> headers, HttpStatus statusCode)

因此,用于完全配置 HTTP 响应。

对于例如:

@ControllerAdvice 
public class JavaWebExeptionHandler {

    @Autowired
    ExceptionErrorCodeMap exceptionErrorCodeMap;

    @ExceptionHandler(RuntimeException.class)
    public final ResponseEntity<ExceptionResponseBody> handleAllExceptions(Exception ex) {
        Integer expCode = exceptionErrorCodeMap.getExpCode(ex.getClass());
        // We have not added headers to response here, If you want you can add by using respective constructor
        return new ResponseEntity<ExceptionResponseBody>(new ExceptionResponseBody(expCode, ex.getMessage()),
                HttpStatus.valueOf(expCode));
    }

}

@ResponseBody表示使用它的方法返回值绑定到响应正文(表示方法的返回值被视为 Http 响应正文)


推荐