Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Parsing JSON - Can't get boolean value from JsonObject

Tags:

java

json

gson

I've been trying to figure out how to do some basic stuff in Java..

I've got a request being made to an API, which returns the following JSON.

{"success": false, "message": "some string", "data": []}

This is represented by the String result in the following:

JsonObject root = new JsonParser().parse(result).getAsJsonObject();
success = root.getAsJsonObject("success").getAsBoolean();

I need to get the "success" parameter as a boolean. Getting an error on the getAsBoolean() call.

java.lang.ClassCastException: com.google.gson.JsonPrimitive cannot be cast to com.google.gson.JsonObject

What am I doing wrong? How do I get the bool value of "success"?

like image 226
I wrestled a bear once. Avatar asked Sep 08 '25 12:09

I wrestled a bear once.


2 Answers

The reason that is breaking your code is that you are calling the wrong method...

Do

success = root.get("success").getAsBoolean();

instead of

success = root.getAsJsonObject("success").getAsBoolean();

Example:

public static void main(String[] args) {
    String result = "{\"success\": false, \"message\": \"some string\", \"data\": []}";
    JsonObject root = new JsonParser().parse(result).getAsJsonObject();
    boolean success = root.get("success").getAsBoolean();
    }
like image 56
ΦXocę 웃 Пepeúpa ツ Avatar answered Sep 10 '25 03:09

ΦXocę 웃 Пepeúpa ツ


you're calling root.getAsJsonObject("success") while the success is a boolean value itself, not an object.

Try following

JsonObject root = new JsonParser().parse(result).getAsJsonObject();
success = root.get("success").getAsBoolean();
like image 31
ikryvorotenko Avatar answered Sep 10 '25 03:09

ikryvorotenko