Inherited Geek
Inherited Geek

Reputation: 2393

Escape String backslash using GSON

I am trying to convert my hashmap to a JSON pretty print output.

I tried GSON and believe there is some issue with it handling string as inputs inside a map, is there any other way to do this?

Map<String, String> map = new LinkedHashMap();
Gson gson = new GsonBuilder().enableComplexMapKeySerialization().setPrettyPrinting().create();
                    map.put("Intro", Map_to_String);
                    map.put("Output", String_Val);
                    System.out.println(gson.toJson(map));

Output:

{
  "Intro": {\"No\":0,\"Cast\":2},
  "Output": "123"
}

Required Output:

{
  "Intro": {"No":0,"Cast":2},
  "Output": "123"
}

Upvotes: 0

Views: 3264

Answers (1)

Michał Ziober
Michał Ziober

Reputation: 38655

You need to deserialise Map_to_String back to object - Map in this case and after that serialise again.

import com.google.gson.Gson;
import com.google.gson.GsonBuilder;
import com.google.gson.reflect.TypeToken;

import java.lang.reflect.Type;
import java.util.LinkedHashMap;
import java.util.Map;

public class GsonApp {

    public static void main(String[] args) {
        Map<String, Object> map = new LinkedHashMap<>();
        Gson gson = new GsonBuilder()
                .enableComplexMapKeySerialization()
                .setPrettyPrinting()
                .create();

        String jsonString = "{\"No\":0,\"Cast\":2}";

        Type mapType = new TypeToken<Map<String, String>>() {}.getType();
        map.put("Intro", gson.fromJson(jsonString, mapType));
        map.put("Output", "123");
        System.out.println(gson.toJson(map));
    }
}

Prints:

{
  "Intro": {
    "No": "0",
    "Cast": "2"
  },
  "Output": "123"
}

Upvotes: 2

Related Questions