Pradyumna Swain
Pradyumna Swain

Reputation: 1138

Parse JSON using JSON Object

MY JSON response body from a service as follows

    {
    "Employee": {
        "Name": "Demo",
        "applied": true
                }
   }

I want to parse using JSON Object in Java. i did like this

JSONObject obj = new JSONObject(String.valueOf(responseBody));
//responbosy is a JSONObject type 
obj.getString("Employee[0].name");

Please suggest how to do that

Upvotes: 0

Views: 74

Answers (2)

Emanuel
Emanuel

Reputation: 8106

I Think you want to have the name, yes?

Anyway, you can access it by using:

 JSONObject obj = new JSONObject(String.valueOf(responseBody));
 JSONObject employee = new JSONObject(obj.getJSONObject("Employee"));

 employee.getString("Name"); 
 employee.getBoolean("applied");

Reason for this is:

Everything between

 {} 

is an JSONObject. Everything between

[]

means it's an JSONArray.

In your String

     {
"Employee": {
    "Name": "Demo",
    "applied": true
            }
  }

You've an JSONObject because of starting with {}. Within this JSONObject you have an Propertie called "Employee" which has another JSONObject nested.

Be Carefull: applied is from type boolean, since it's true/false without "". If there's a number you should get it using getInteger(). if it's a boolean you can get it using getBoolean() and elsehow you should get it using getString().

you can see all available Datatypes at http://en.wikipedia.org/wiki/JSON

Upvotes: 1

Antoniossss
Antoniossss

Reputation: 32517

Employee is not an array, only JSONObject So you have do something like that:

obj.getJSONObject("Employee").getString("Name");

Upvotes: 2

Related Questions