Retrofit+Gsonを使ったときに遭遇した問題
3652 ワード
多くの場合、開発中にインタフェースをテストし、インタフェースがデータを返すかどうかを確認する必要があります。
データフォーマット:
{"status":1,"info":"","data":{"cate_product":{"0":{"..."}}}}
プロジェクトではRetrofit 2+Rxjava 2の形式を使用してデータを要求し、テストインタフェースの使用のために
Observable>
の形式でデータを返し、BaseResultクラスは以下の通りである.public class BaseResult {
public static final int SUCCESS = 1;
private int status;
private String info;
private T data;
public boolean isSuccess() {
return (status == SUCCESS);
}
public int getStatus() {
return status;
}
public void setStatus(int status) {
this.status = status;
}
public String getInfo() {
return info;
}
public void setInfo(String info) {
this.info = info;
}
public T getData() {
return data;
}
public void setData(T data) {
this.data = data;
}
}
GsonConverterを使用すると、次のような異常が発生します。
com.google.gson.JsonSyntaxException: java.lang.IllegalStateException: Expected a string but was BEGIN_OBJECT at line 1 column 31 path $.data
ただし、場合によっては手動で解析する必要があり、Stringタイプのみが必要です.
解決策は、カスタムFastJsonConvertを使用してFastJsonを使用してデータを解析することです.
public class FastJsonConvertFactory extends Converter.Factory {
public static FastJsonConvertFactory create(){
return new FastJsonConvertFactory();
}
@Override
public Converter responseBodyConverter(Type type, Annotation[] annotations, Retrofit retrofit) {
return new FastJsonResponseBodyConverter<>(type);
}
@Override
public Converter, RequestBody> requestBodyConverter(Type type, Annotation[] parameterAnnotations, Annotation[] methodAnnotations, Retrofit retrofit) {
return new FastJsonRequestBodyConverter();
}
}
public class FastJsonRequestBodyConverter implements Converter {
public static final Charset UTF_8= Charset.forName("UTF-8");
public static final MediaType type= MediaType.parse("application/json; charset=UTF-8");
@Override
public RequestBody convert(T value) throws IOException {
return RequestBody.create(type, JSON.toJSONString(value).getBytes("UTF-8"));
}
}
public class FastJsonResponseBodyConverter implements Converter {
public static final Charset UTF_8=Charset.forName("UTF-8");
private Type type;
public FastJsonResponseBodyConverter(Type type){
this.type=type;
}
@Override
public T convert(ResponseBody value) throws IOException {
InputStreamReader inputStreamReader;
BufferedReader reader;
inputStreamReader=new InputStreamReader(value.byteStream(),UTF_8);
reader=new BufferedReader(inputStreamReader);
StringBuilder sb=new StringBuilder();
String line;
if((line=reader.readLine())!=null){
sb.append(line);
}
inputStreamReader.close();
reader.close();
return JSON.parseObject(sb.toString(),type);
}
}
使用
Retrofit retrofit = new Retrofit.Builder().baseUrl(Contacts.BASE_URL)
.addConverterFactory(FastJsonConvertFactory.create()) // Converter
.addCallAdapterFactory(RxJava2CallAdapterFactory.create())
.client(httpClient)
.build();