我有几个客户端类通过PUT方法将一个bean列表发送到一个jersey webservice,所以我决定使用泛型将它们重构为一个类。我的第一次尝试是这样的:
public void sendAll(T list,String webresource) throws ClientHandlerException {
WebResource ws = getWebResource(webresource);
String response = ws.put(String.class, new GenericEntity<T>(list) {});
}
但是当我用它打电话时:
WsClient<List<SystemInfo>> genclient = new WsClient<List<SystemInfo>>();
genclient.sendAll(systemInfoList, "/services/systemInfo");
它给了我这个错误:
com.sun.jersey.api.client.ClientHandlerException: A message body writer for Java type, class java.util.ArrayList, and MIME media type, application/xml, was not found
所以我尝试取出GenericEntity声明的方法,它起作用了:
public void sendAll(T list,String webresource) throws ClientHandlerException {
WebResource ws = ws = getWebResource(webresource);
String response = ws.put(String.class, list);
}
用以下方式调用:
WsClient<GenericEntity<List<SystemInfo>>> genclient = new WsClient<GenericEntity<List<SystemInfo>>>();
GenericEntity<List<SystemInfo>> entity;
entity = new GenericEntity<List<SystemInfo>>(systemInfoList) {};
genclient.sendAll(entity, "/services/systemInfo");
那么,为什么我不能在类中生成泛型类型的泛型实体,但是在外部工作呢?
答案 0 :(得分:1)
类GenericEntity用于绕过Java的类型擦除。在创建GenericEntity实例的那一刻,Jersey尝试获取类型信息。
在第一个示例中,使用类型为list
的参数T
调用GenericEntity构造函数,在第二个示例中,使用参数systemInfoList
调用它,这似乎提供了更好的类型信息。我不知道GenericEntity构造函数在内部做了什么,但是由于Java的类型擦除,这两种情况似乎有所不同。
尝试绕过类型擦除是不明智的,因为这些解决方案通常不起作用。你可以责怪泽西岛试图这样做(或者指责Sun / Oracle进行类型擦除)。