4

我正在尝试使用@Produces@Consumes注释和 JAXB 创建和运行 JAX-RS 的简单示例。

@Stateless
@LocalBean
@Path("/hotel")
public class RestMain {

  @GET
  @Produces(MediaType.APPLICATION_XML)
  @Path("{hotelId}")
  public HotelRESTInfo read(@PathParam("hotelId") long hotelId) {
    HotelDataSourceFake hotelDataSourceFake = new HotelDataSourceFake();
    HotelRESTInfo hotelInfo = hotelDataSourceFake.getFakePlaceById(hotelId);
    return hotelInfo;
  }
}

网页.xml:

<servlet>
    <servlet-name>REST App</servlet-name>
    <servlet-class>com.sun.jersey.spi.container.servlet.ServletContainer
    </servlet-class>
    <load-on-startup>1</load-on-startup>
</servlet>
<servlet-mapping>
    <servlet-name>Jersey Web Application</servlet-name>
    <url-pattern>/rest/*</url-pattern>
</servlet-mapping>

第二个应用程序是客户端。现在我有以下客户端代码:

import com.sun.jersey.api.client.Client;
import com.sun.jersey.api.client.ClientResponse;
import com.sun.jersey.api.client.WebResource;
...
Client client = Client.create();
String uri ="http://localhost:8080/RESTJEE/rest/hotel/" + hotelId;
WebResource resource = client.resource(uri);
ClientResponse response = resource.accept("application/xml").get(ClientResponse.class);
HotelRESTInfo hotelRestInfo = response.getEntity(HotelRESTInfo.class);

但我不想使用球衣的 Client、ClientResponse 和 WebResource。我想用@Consumes. 客户端应用程序是否应该web.xml包含一些额外的参数?

双方(客户端和服务器)都包含HotelRESTInfo类:

@XmlRootElement
public class HotelRESTInfo {
...
}
4

1 回答 1

6

我认为你不匹配的东西。

一方面是发出请求的 HttpClient,而在另一台计算机上是构建响应的 HttpServer。这是基本的,我想你明白了。

事情是@GET read ()method 消费请求正文,并产生响应正文。

所以你可以拥有:

@GET
@Consumes(MediaType.APPLICATION_XML) //client sends also xml
@Produces(MediaType.APPLICATION_XML)
@Path("{hotelId}")
public HotelRESTInfo read(@PathParam("hotelId") long hotelId) {
    (...)
}

显然,您希望您的客户端使用 Web 服务,因此@Consume 在 Client 端绝对有意义

不幸的是,JaxRS 是在 2008 年左右构建在服务器端的,没有考虑与 Java 客户端的协同作用。@Consumes 绝对是一个服务器注释,我在文档中没有看到任何关于在客户端重用注释的内容。

Jersey 客户端是最近才出现的,它符合 JaxRS 2 规范。您的问题表明这些规范可能很难编写!

于 2012-10-20T12:11:44.457 回答