我已经使用 Java/Jersey 编写了一个基本的 RESTful 服务来管理订阅者,现在我正在尝试创建一个客户端来与该服务通信,但是我遇到了一个我不明白的运行时错误。这是一个显示问题的精简版本:
订阅者类别:
import javax.xml.bind.annotation.XmlRootElement;
@XmlRootElement
public class Subscriber {
private String firstName;
private String lastName;
public String getFirstName() {
return firstName;
}
public void setFirstName(String firstName) {
this.firstName = firstName;
}
public String getLastName() {
return lastName;
}
public void setLastName(String lastName) {
this.lastName = lastName;
}
public Subscriber() {
}
}
主要测试应用:
import javax.ws.rs.core.MediaType;
import javax.ws.rs.core.UriBuilder;
import com.sun.jersey.api.client.Client;
import com.sun.jersey.api.client.WebResource;
import com.sun.jersey.api.client.config.ClientConfig;
import com.sun.jersey.api.client.config.DefaultClientConfig;
public class MyTestClient {
public static void main(String[] args) {
ClientConfig config = new DefaultClientConfig();
Client client = Client.create(config);
WebResource service = client.resource(UriBuilder.fromUri("http://localhost:8080/MyService").build());
Subscriber s = new Subscriber() {{
setFirstName("John");
setLastName("Doe");
}};
System.out.println(service.path("subscriber")
.type(MediaType.APPLICATION_XML)
.entity(s)
.post(String.class));
}
}
我得到这个错误:
Exception in thread "main" com.sun.jersey.api.client.ClientHandlerException: com.sun.jersey.api.client.ClientHandlerException: A message body writer for Java type, class MyTestClient$1, and MIME media type, application/xml, was not found
我不清楚此错误消息的确切含义;它似乎与订阅者到 XML 的转换有关(尽管对我来说,错误消息暗示它正在尝试转换 MyTestClient,这不可能是正确的......)我在中使用了相同的订阅者类我的服务,创建发送给客户端的 XML 没有问题,所以我很困惑。
如果我将订阅者对象替换为包含 XML 的字符串,我不会收到错误消息,但出于多种原因我想使用对象。
此错误消息的原因是什么,我该如何解决?
编辑: 作为参考,虽然我不确定它是否相关,但这里是代码服务端的相关部分:
@POST
@Consumes({ MediaType.APPLICATION_XML, MediaType.APPLICATION_JSON })
@Produces({ MediaType.APPLICATION_XML, MediaType.APPLICATION_JSON })
public Subscriber post(Subscriber subscriber) {
/// doesn't get here
}
此外,这有效,但不使用订阅者对象:
String xml = "<subscriber><firstName>John</firstName><lastName>Doe</lastName></subscriber>";
System.out.println(service.path("subscriber")
.type(MediaType.APPLICATION_XML)
.entity(xml)
.post(String.class));
更新: 我可以通过首先将我的对象显式转换为字符串来解决该问题,因此:
JAXBContext context = JAXBContext.newInstance(Subscriber.class);
Marshaller m = context.createMarshaller();
StringWriter sw = new StringWriter();
m.marshal(s, sw);
String xml = sw.toString();
System.out.println(service.path("subscriber")
.type(MediaType.APPLICATION_XML)
.entity(xml)
.post(String.class));
但这相当混乱,我不明白为什么它应该是必要的。