小编典典

这种在Spring中处理POST请求的REST方法如何工作?

java

我正在学习Spring Core认证,并且与在Spring MVC中进行RESTful webapp *的练习有关。

因此,在示例中,我具有以下创建新 Account 对象的方法

/**
 * Creates a new Account, setting its URL as the Location header on the
 * response.
 */
@RequestMapping(value = "/accounts", method = RequestMethod.POST)
@ResponseStatus(HttpStatus.CREATED)
public HttpEntity<String> createAccount(@RequestBody Account newAccount,
        @Value("#{request.requestURL}") StringBuffer url) {
    Account account = accountManager.save(newAccount);

    return entityWithLocation(url, account.getEntityId());
}

我知道:

  1. *在这种情况下,@ *RequestMapping 批注指定此方法处理对 / accounts* 资源的 POST HttpRequest 。我知道它使用 POST 请求,因为根据REST风格,POST“动词”意味着必须创建一个新资源。 ***

  2. 我认为这个注释:

     @ResponseStatus(HttpStatus.CREATED)
    

表示当方法正确结束时(将 HttpResponse 发送到客户端时),它将 201CREATED
)放入HttpResponse状态字段。因此,它指定可以成功创建新对象。是真的还是我错过了什么?

  1. 该方法的第一个参数是:
    @RequestBody Account newAccount
    

在阅读文档时,在我看来,此参数已绑定到Web请求的正文中。请求的主体通过HttpMessageConverter传递,以根据请求的内容类型解析方法参数。

那么,到底是什么意思呢?我认为这意味着在HttpRequest 主体中
,我具有JSON格式的Account对象,并且使用Jackson将其转换为经典的 Account Java对象。是对的还是我错过了什么?

  1. 该方法的第二个参数是:

@Value(“#{request.requestURL}”)StringBuffer网址

到底是什么意思?

  1. 然后,该方法将获得的对象保存在数据库中。

  2. 最后它返回:

    return entityWithLocation(url, account.getEntityId());
    

但是到底是什么意思呢?什么回来了?在哪里?结果不是进入HttpResponse吗?

编辑1:

所述 entityWithLocation() 方法在同一类中的以前的方法的definied,这是它的代码:

private HttpEntity<String> entityWithLocation(StringBuffer url,
        Object resourceId) {
    // Configure and return an HttpEntity object - it will be used to build
    // the HttpServletResponse
    HttpHeaders headers = new HttpHeaders();
    headers.setLocation(getLocationForChildResource(url, resourceId));
    return new HttpEntity<String>(headers);
}

阅读 234

收藏
2020-11-26

共1个答案

小编典典

以下是我对您问题的理解。

  1. @RequestBody帐户newAccount

关于这一点,您的理解是正确的。

  1. @Value(“#{request.requestURL}”)StringBuffer网址

它等效于request.getRequestURL();
API

  1. entityWithLocation(url,account.getEntityId())

根据此方法中的代码。它返回HttpEntityObject,它代表http请求或响应entity(which includes headers and body),在您的情况下为response。里面的方法,你已经添加了locationresource(account)创建。

2020-11-26