jnemecz
jnemecz

Reputation: 3608

Gson - how to parse dynamic JSON string with nested JSON?

I have JSON string with dynamic elements, till now I parse it into Map:

Map map = new Gson().fromJson(jsonString, 
        new TypeToken<HashMap<String, String>>() {}.getType());

Now I need to solve thsi situation - one of these dynamic variables could be another JSON string.

Do you have some advice ho to solve it? Thanks in advance.

EDIT: JSON string example added (formatted):

{
    "key1": "val1",
    "key2": "val2",
    "key3": {
        "subkey1": [
            "subvalue1",
            "subvalue1"
        ],
        "subkey‌​2": [
            "subvalue2"
        ]
    },
    "key4": "val3"
}

Upvotes: 2

Views: 4684

Answers (1)

Marek Dec
Marek Dec

Reputation: 964

What you call another JSON string is just a json object. Change the Map value type to Object from String: TypeToken>

String jsonString = "{\"key1\":\"val1\",\"key2\":\"val2\",\"key3\": {\"subkey1\":\"subvalue1\",\"subkey2\":\"subvalue2\"},\"key4\":\"val3\"}";

Map<String, Object> map = new Gson().fromJson(jsonString, new TypeToken<Map<String, Object>>() {
}.getType());

The above example works with GSON 2.2.2. And sysout(map) produces

{key1=val1, key2=val2, key3={subkey1=subvalue1, subkey2=subvalue2}, key4=val3}

As a small improvement I'd suggest that you explicitly specify map type parameters, and use Map instead of HashMap for the TypeToken.

Upvotes: 3

Related Questions