我对GSON-JSON有点问题。

让我们看下面的代码:

    public static class ProtoQuery {
    public String action;
    public String token;
    public Object params;

    public ProtoQuery(String action, String token, Object params) {
        this.action = action;
        this.token = token;
        this.params = params;
    }
}


// Authentication Phase
public static class ProtoAuth {
    public String username;
    public String password;

    public ProtoAuth(String username, String password) {
        this.username = username;
        this.password = password;
    }
}


    // Serialize Object
    Gson gson = new Gson();
    ProtoQuery tmp = new ProtoQuery("ProtoAuth", "", new JirckeProtocol.ProtoAuth("ABC", "myPASS"));
    String json = gson.toJson(tmp);

    // Deserialize Object
    ProtoQuery deserializedOBJ = gson.fromJson(json, ProtoQuery.class);


这里的问题:
deserializedOBJ.object返回一个LinkedHashMap。
我想转换回ProtoAuth对象。如何得知这是ProtoAuth?在ProtoQuery中使用“操作”参数。

我需要类似的东西
deserializedOBJ.params = gson.fromJSON(json.object,ProtoAuth.class)

最好的方法是什么?
还有另一种方法,而无需编写我自己的序列化器/解串器?

实际上,我使用该代码:

deserializedOBJ.params = gson.fromJson(element, Class.forName("MyProtocol$ProtoAuth"));

最佳答案

我将输入ProtoQuery如下:

public static class ProtoQuery<T> {
    public String action;
    public String token;
    public T params;

    public ProtoQuery(String action, String token, T params) {
        this.action = action;
        this.token = token;
        this.params = params;
    }
}


// Authentication Phase
public static class ProtoAuth {
    public String username;
    public String password;

    public ProtoAuth(String username, String password) {
        this.username = username;
        this.password = password;
    }
}


并使用ProtoAuth类型的参数反序列化,可以调用如下:

Type type = new TypeToken<ProtoQuery<ProtoAuth>>() {}.getType();
ProtoQuery<ProtoAuth> deserializedOBJ = gson.fromJson(json, type);

09-30 09:56