JSON形式のデータを返すサーバーからデータを要求しています。リクエストを行うときにHashMapをJSONにキャストするのはまったく難しくありませんでしたが、他の方法は少しトリッキーです。 JSONレスポンスは次のようになります。
{
"header" : {
"alerts" : [
{
"AlertID" : "2",
"TSExpires" : null,
"Target" : "1",
"Text" : "woot",
"Type" : "1"
},
{
"AlertID" : "3",
"TSExpires" : null,
"Target" : "1",
"Text" : "woot",
"Type" : "1"
}
],
"session" : "0bc8d0835f93ac3ebbf11560b2c5be9a"
},
"result" : "4be26bc400d3c"
}
このデータにアクセスするための最も簡単な方法は何ですか?私はGSONモジュールを使っています。
どうぞ:
import Java.lang.reflect.Type;
import com.google.gson.reflect.TypeToken;
Type type = new TypeToken<Map<String, String>>(){}.getType();
Map<String, String> myMap = gson.fromJson("{'k1':'Apple','k2':'orange'}", type);
このコードは動作します:
Gson gson = new Gson();
String json = "{\"k1\":\"v1\",\"k2\":\"v2\"}";
Map<String,Object> map = new HashMap<String,Object>();
map = (Map<String,Object>) gson.fromJson(json, map.getClass());
これはかなり古い質問ですが、ネストされたJSONをMap<String, Object>
に一般的に逆シリアル化するための解決策を探していましたが、何も見つかりませんでした。
私のYAMLデシリアライザの動作方法では、型を指定しないとJSONオブジェクトのデフォルトはMap<String, Object>
になりますが、gsonはこれを行いません。幸いなことに、あなたはそれをカスタムのデシリアライザで実現することができます。
私は次のデシリアライザを使って自然に何かをデシリアライズし、JsonObject
sをMap<String, Object>
に、そしてJsonArray
sをObject[]
sにデフォルト設定しました。
private static class NaturalDeserializer implements JsonDeserializer<Object> {
public Object deserialize(JsonElement json, Type typeOfT,
JsonDeserializationContext context) {
if(json.isJsonNull()) return null;
else if(json.isJsonPrimitive()) return handlePrimitive(json.getAsJsonPrimitive());
else if(json.isJsonArray()) return handleArray(json.getAsJsonArray(), context);
else return handleObject(json.getAsJsonObject(), context);
}
private Object handlePrimitive(JsonPrimitive json) {
if(json.isBoolean())
return json.getAsBoolean();
else if(json.isString())
return json.getAsString();
else {
BigDecimal bigDec = json.getAsBigDecimal();
// Find out if it is an int type
try {
bigDec.toBigIntegerExact();
try { return bigDec.intValueExact(); }
catch(ArithmeticException e) {}
return bigDec.longValue();
} catch(ArithmeticException e) {}
// Just return it as a double
return bigDec.doubleValue();
}
}
private Object handleArray(JsonArray json, JsonDeserializationContext context) {
Object[] array = new Object[json.size()];
for(int i = 0; i < array.length; i++)
array[i] = context.deserialize(json.get(i), Object.class);
return array;
}
private Object handleObject(JsonObject json, JsonDeserializationContext context) {
Map<String, Object> map = new HashMap<String, Object>();
for(Map.Entry<String, JsonElement> entry : json.entrySet())
map.put(entry.getKey(), context.deserialize(entry.getValue(), Object.class));
return map;
}
}
handlePrimitive
メソッドの内部の煩わしさは、Double、Integer、Longのいずれかしか得られないようにすることです。BigDecimalsを得ても大丈夫なら、おそらくもっと単純にするか、少なくとも単純化します。
このアダプタは次のように登録できます。
GsonBuilder gsonBuilder = new GsonBuilder();
gsonBuilder.registerTypeAdapter(Object.class, new NaturalDeserializer());
Gson gson = gsonBuilder.create();
そしてそれを次のように呼びます。
Object natural = gson.fromJson(source, Object.class);
他のほとんどの半構造化シリアル化ライブラリにあるので、これがgsonのデフォルトの動作ではない理由はわかりません。
GoogleのGson 2.7(おそらく以前のバージョンも同様ですが、私は現在のバージョン2.7でテストしました)を使うとそれは同じくらい簡単です:
Map map = gson.fromJson(jsonString, Map.class);
これはcom.google.gson.internal.LinkedTreeMap
型のMap
を返し、入れ子になったオブジェクト、配列などに再帰的に働きます。
私はそのようにOPの例を実行しました(単に二重引用符で二重引用符を置き換え、空白を削除しました)。
String jsonString = "{'header': {'alerts': [{'AlertID': '2', 'TSExpires': null, 'Target': '1', 'Text': 'woot', 'Type': '1'}, {'AlertID': '3', 'TSExpires': null, 'Target': '1', 'Text': 'woot', 'Type': '1'}], 'session': '0bc8d0835f93ac3ebbf11560b2c5be9a'}, 'result': '4be26bc400d3c'}";
Map map = gson.fromJson(jsonString, Map.class);
System.out.println(map.getClass().toString());
System.out.println(map);
そして、次のような出力が得られました。
class com.google.gson.internal.LinkedTreeMap
{header={alerts=[{AlertID=2, TSExpires=null, Target=1, Text=woot, Type=1}, {AlertID=3, TSExpires=null, Target=1, Text=woot, Type=1}], session=0bc8d0835f93ac3ebbf11560b2c5be9a}, result=4be26bc400d3c}
新しいGson lib用に更新します。
これで、入れ子になったJsonを直接Mapに解析することができますが、JsonをMap<String, Object>
型に解析しようとした場合には注意が必要です。例外が発生します。これを修正するには、結果をLinkedTreeMap
型として宣言するだけです。以下の例:
String nestedJSON = "{"id":"1","message":"web_didload","content":{"success":1}};
Gson gson = new Gson();
LinkedTreeMap result = gson.fromJson(nestedJSON , LinkedTreeMap.class);
私はまったく同じ質問をして、そしてここで終わりました。私はずっと簡単に思える別のアプローチをとっていました(多分新しいバージョンのgson?)。
Gson gson = new Gson();
Map jsonObject = (Map) gson.fromJson(data, Object.class);
次のjsonで
{
"map-00": {
"array-00": [
"entry-00",
"entry-01"
],
"value": "entry-02"
}
}
以下
Map map00 = (Map) jsonObject.get("map-00");
List array00 = (List) map00.get("array-00");
String value = (String) map00.get("value");
for (int i = 0; i < array00.size(); i++) {
System.out.println("map-00.array-00[" + i + "]= " + array00.get(i));
}
System.out.println("map-00.value = " + value);
アウトプット
map-00.array-00[0]= entry-00
map-00.array-00[1]= entry-01
map-00.value = entry-02
JsonObjectをナビゲートするときにinstanceofを使って動的にチェックすることができます。何かのようなもの
Map json = gson.fromJson(data, Object.class);
if(json.get("field") instanceof Map) {
Map field = (Map)json.get("field");
} else if (json.get("field") instanceof List) {
List field = (List)json.get("field");
} ...
それは私のために働くので、それはあなたのために働く必要があります;-)
これを試してください、それはうまくいくでしょう。 Hashtableに使用しました。
public static Hashtable<Integer, KioskStatusResource> parseModifued(String json) {
JsonObject object = (JsonObject) new com.google.gson.JsonParser().parse(json);
Set<Map.Entry<String, JsonElement>> set = object.entrySet();
Iterator<Map.Entry<String, JsonElement>> iterator = set.iterator();
Hashtable<Integer, KioskStatusResource> map = new Hashtable<Integer, KioskStatusResource>();
while (iterator.hasNext()) {
Map.Entry<String, JsonElement> entry = iterator.next();
Integer key = Integer.parseInt(entry.getKey());
KioskStatusResource value = new Gson().fromJson(entry.getValue(), KioskStatusResource.class);
if (value != null) {
map.put(key, value);
}
}
return map;
}
KioskStatusResourceを自分のクラスに置き換え、あなたのキークラスの整数。
以下はgson 2.8.0以降でサポートされています
public static Type getMapType(Class keyType, Class valueType){
return TypeToken.getParameterized(HashMap.class, keyType, valueType).getType();
}
public static <K,V> HashMap<K,V> fromMap(String json, Class<K> keyType, Class<V> valueType){
return gson.fromJson(json, getMapType(keyType,valueType));
}
これが私が使ってきたものです:
public static HashMap<String, Object> parse(String json) {
JsonObject object = (JsonObject) parser.parse(json);
Set<Map.Entry<String, JsonElement>> set = object.entrySet();
Iterator<Map.Entry<String, JsonElement>> iterator = set.iterator();
HashMap<String, Object> map = new HashMap<String, Object>();
while (iterator.hasNext()) {
Map.Entry<String, JsonElement> entry = iterator.next();
String key = entry.getKey();
JsonElement value = entry.getValue();
if (!value.isJsonPrimitive()) {
map.put(key, parse(value.toString()));
} else {
map.put(key, value.getAsString());
}
}
return map;
}
代わりにこのクラスを使うことができます。)(偶数リスト、ネストされたリスト、jsonを処理します)
public class Utility {
public static Map<String, Object> jsonToMap(Object json) throws JSONException {
if(json instanceof JSONObject)
return _jsonToMap_((JSONObject)json) ;
else if (json instanceof String)
{
JSONObject jsonObject = new JSONObject((String)json) ;
return _jsonToMap_(jsonObject) ;
}
return null ;
}
private static Map<String, Object> _jsonToMap_(JSONObject json) throws JSONException {
Map<String, Object> retMap = new HashMap<String, Object>();
if(json != JSONObject.NULL) {
retMap = toMap(json);
}
return retMap;
}
private static Map<String, Object> toMap(JSONObject object) throws JSONException {
Map<String, Object> map = new HashMap<String, Object>();
Iterator<String> keysItr = object.keys();
while(keysItr.hasNext()) {
String key = keysItr.next();
Object value = object.get(key);
if(value instanceof JSONArray) {
value = toList((JSONArray) value);
}
else if(value instanceof JSONObject) {
value = toMap((JSONObject) value);
}
map.put(key, value);
}
return map;
}
public static List<Object> toList(JSONArray array) throws JSONException {
List<Object> list = new ArrayList<Object>();
for(int i = 0; i < array.length(); i++) {
Object value = array.get(i);
if(value instanceof JSONArray) {
value = toList((JSONArray) value);
}
else if(value instanceof JSONObject) {
value = toMap((JSONObject) value);
}
list.add(value);
}
return list;
}
}
JSON文字列をハッシュマップに変換するには、次のようにします。
HashMap<String, Object> hashMap = new HashMap<>(Utility.jsonToMap(response)) ;
私はカスタムJsonDeSerializerで同様の問題を克服しました。私はそれを少し一般的にしようとしましたが、それでも十分ではありません。それは私のニーズに合っているけれどもそれは解決策です。
まず最初に、Mapオブジェクト用に新しいJsonDeserializerを実装する必要があります。
public class MapDeserializer<T, U> implements JsonDeserializer<Map<T, U>>
そして、deserializeメソッドは次のようになります。
public Map<T, U> deserialize(JsonElement json, Type typeOfT, JsonDeserializationContext context)
throws JsonParseException {
if (!json.isJsonObject()) {
return null;
}
JsonObject jsonObject = json.getAsJsonObject();
Set<Entry<String, JsonElement>> jsonEntrySet = jsonObject.entrySet();
Map<T, U> deserializedMap = new HashMap<T, U>();
for (Entry<Java.lang.String, JsonElement> entry : jsonEntrySet) {
try {
U value = context.deserialize(entry.getValue(), getMyType());
deserializedMap.put((T) entry.getKey(), value);
} catch (Exception ex) {
logger.info("Could not deserialize map.", ex);
}
}
return deserializedMap;
}
この解決策の欠点は、私のMapのキーは常にType "String"であるということです。しかし、いくつかのことを連鎖することによって誰かがそれを一般的にすることができます。さらに、値のクラスはコンストラクタに渡す必要があることを言う必要があります。そのため、私のコードのメソッドgetMyType()
は、コンストラクタで渡されたMapの値の型を返します。
あなたはこの記事を参照することができます どのように私はGsonのためにカスタムJSONデシリアライザを書くのですか? カスタムデシリアライザについてもっと学ぶために。
これがそれを行うワンライナーです。
HashMap<String, Object> myMap =
gson.fromJson(yourJson, new TypeToken<HashMap<String, Object>>(){}.getType());
これは完全な答えというよりも Kevin Dolanの答え の補足ですが、数値から型を抽出するのに問題がありました。これが私の解決策です:
private Object handlePrimitive(JsonPrimitive json) {
if(json.isBoolean()) {
return json.getAsBoolean();
} else if(json.isString())
return json.getAsString();
}
Number num = element.getAsNumber();
if(num instanceof Integer){
map.put(fieldName, num.intValue());
} else if(num instanceof Long){
map.put(fieldName, num.longValue());
} else if(num instanceof Float){
map.put(fieldName, num.floatValue());
} else { // Double
map.put(fieldName, num.doubleValue());
}
}