3

次のコードは「null」を返します。

package test;

import com.google.gson.Gson;

class test {

    public static void main(String[] args) {

        class BagOfPrimitives {
              private int value1 = 1;
              private String value2 = "abc";
              private transient int value3 = 3;
              BagOfPrimitives() {
                // no-args constructor
              }
            }

        BagOfPrimitives obj = new BagOfPrimitives();
        System.out.println(obj.value1 + obj.value2 + obj.value3);
        Gson gson = new Gson();
        System.out.println(gson.toJson(obj));


    }

}
4

1 に答える 1

4

Gsonは、カバーの下の反射を使用して、オブジェクトの構造を決定します。BagOfPrimitivesこの特定の例では、クラスはリフレクションではアクセスできないローカルクラスであるため、Gsonはその構造を判別できません。

代わりに、スタンドアロンまたはネストされたクラスにします。ネストされたクラスを使用した次の例は、私にとってはうまくいきます。

public class Test {

    public static void main(String[] args) {
        BagOfPrimitives obj = new BagOfPrimitives();
        System.out.println(obj.value1 + obj.value2 + obj.value3);
        Gson gson = new Gson();
        System.out.println(gson.toJson(obj));
    }

    static class BagOfPrimitives {
        private int value1 = 1;
        private String value2 = "abc";
        private transient int value3 = 3;
        BagOfPrimitives() {
            // no-args constructor
        }
    }

}
于 2012-10-22T02:40:59.120 に答える