我遇到过使用Gson库和泛型类型(我的类型和集合)的问题。但是他们有一个如何解决这个问题的答案,我认为为我已经实现的每种类型写一个特定的消息转换器是不合适的,我将实现。
我做的是:
实现了我自己的消息转换器:
public class SuperHttpMessageConverter extends AbstractHttpMessageConverter<Object> {
private final Charset charset;
private final Gson gson;
public CostomHttpMC_1(MediaType mediaType, String charset) {
super(mediaType);
this.charset = Charset.forName(charset);
gson = new GsonBuilder().excludeFieldsWithoutExposeAnnotation().create();
}
@Override
protected Object readInternal(Class clazz, HttpInputMessage inputMessage) throws IOException {
String jsonString = FileCopyUtils.copyToString(new InputStreamReader(inputMessage.getBody(), charset));
return gson.fromJson(jsonString, clazz);
}
@Override
protected Long getContentLength(Object obj, MediaType contentType) {
try {
String jsonString = gson.toJson(obj);
return (long) jsonString.getBytes(charset.name()).length;
} catch (UnsupportedEncodingException ex) {
throw new InternalError(ex.getMessage());
}
}
@Override
protected void writeInternal(Object obj, HttpOutputMessage outputMessage) throws IOException {
String jsonString = gson.toJson(obj);
FileCopyUtils.copy(jsonString, new OutputStreamWriter(outputMessage.getBody(), charset));
}
@Override
public boolean supports(Class<?> clazz) {
return true;
}
}
在我尝试发送List<String>
或some Type<T>
之类的集合之前,它很有效。
Gson在这里有解决方案:http://sites.google.com/site/gson/gson-user-guide
我昨天也尝试了json-lib库。我不喜欢它是深入扫描我在层次结构中的所有对象。我尝试将周期检测策略从CycleDetectionStrategy.STRICT
更改为CycleDetectionStrategy.LENIENT
,它根本没有帮助!
@Override
protected void writeInternal(Object obj, HttpOutputMessage outputMessage) throws IOException {
JsonConfig jsonConfig = new JsonConfig();
jsonConfig.setCycleDetectionStrategy(CycleDetectionStrategy.LENIENT);
String jsonString = JSONObject.fromObject( obj ).toString();
FileCopyUtils.copy(jsonString, new OutputStreamWriter(outputMessage.getBody(), charset));
}
最后,找到了泛型集合问题的解决方法:从ArrayList
更改为简单数组有助于进行序列化和反序列化。更具体地说,您必须在您在应用程序中使用的Web服务中执行此操作。
@RequestMapping(value = "/country/info/{code}")
public void info(@PathVariable("code") String code, Model model) {
//list
StuffImpl[] stuffList= new StuffImpl[0]; <-- this is the array I used!
stuffList= restTemplate.getForObject("http://localhost:8084/yourApp/restService/stuff", stuffList.getClass());
model.addAttribute("stuffList", stuffList);
}
所以这种方法运作良好。
我没有发现泛型类型的解决方案是什么。每次实现新的泛型类型时,我真的很想写一个新的转换器。
如果您知道任何可能的解决方案,我会非常感谢您的帮助!
如果有人可以帮助我,我会在云上九点。)
L,
答案 0 :(得分:1)
有些方法可以传递java.lang.reflect.Type
。如果指定的对象是泛型类型,则这些方法很有用,例如:
Gson gson = new GsonBuilder().create();
List<String> names = new ArrayList<String>();
names.add("Foo");
names.add("Bar");
// marshal
String jsonLiteral = gson.toJson(names);
System.out.println(jsonLiteral);
// unmarshal
List<String> names2;
Type type = new TypeToken<List<String>>() {
}.getType();
names2 = gson.fromJson(jsonLiteral, type);
System.out.println(names2.get(0));
System.out.println(names2.get(1));
这将输出:
["Foo","Bar"]
Foo
Bar