RESTful Web Service的返回值,考虑空值

时间:2012-06-05 18:23:34

标签: java rest unmarshalling

我正在为我的RESTful Web服务创建一个客户端。 在这种情况下,我的服务器不会总是返回预期的对象(例如,在给定参数上找不到任何内容,因此返回为NULL)。

@GET
@Path("/person/{name}")
@Produces("application/xml")
public Person getPerson(@PathParam("name") String name) {
    return people.byName(name);
}

如果找不到给定的名称,byName()方法将返回NULL。在解组给定对象时,这将引发异常。什么是最常见和最简洁的方法来产生if / else语句或以不同方式处理回报?

JAXBContext jcUnmarshaller = JAXBContext.newInstance(Person.class);
Unmarshaller unmarshaller = jcUnmarshaller.createUnmarshaller();
return (Person) unmarshaller.unmarshal(connection.getInputStream());

getPerson( ) throws WebApplicationException { 
    throw new WebApplicationException(404);
}

2 个答案:

答案 0 :(得分:8)

处理此类情况的惯用方法是返回404 Not Found响应代码。使用,您可以抛出WebApplicationException

@GET
@Path("/person/{name}")
@Produces("application/xml")
public Person getPerson(@PathParam("name") String name) {
    Person personOrNull = people.byName(name);
    if(personOrNull == null) {
      throw new WebApplicationException(404);
    }   
    return personOrNull;
} 

答案 1 :(得分:2)

如果您正在寻找纯REST服务,则应该返回HTTP响应代码404 - 找不到某个人时找不到。所以,它看起来像这样:

public Person getPerson(@PathParam("name") String name) {
    Person person = people.byName(name);
    if (null != person) {
       return person
    }
    else {
       //return 404 response code (not sure how to do that with what you're using)
    }
}