hvkale
hvkale

Reputation: 17787

Get single JSON property value from response JSON using Retrofit 2

I am using Retrofit library (version 2.0.2 as of this writing).

I am making a GET call to a service which responds a big JSON object but I am only interested in one key:value pair in it.

How can I get just that instead of writing a whole new POJO class that matches the JSON response?

Example -

{
  status_code: 34,
  status_message: "The resource you requested could not be found.",
  ...,
  ...
}

I need only status code value (34 here).

Please note, I am just giving an example of this JSON object here. The real one I am dealing with is huge and I care about only one key:value pair in it.

Thanks in advance.

Upvotes: 3

Views: 5402

Answers (1)

BNK
BNK

Reputation: 24114

You can refer to the following:

@GET("/files/jsonsample.json")
Call<JsonObject> readJsonFromFileUri();

and

class MyStatus{
    int status_code;
}


...
Retrofit retrofit2 = new Retrofit.Builder()
        .baseUrl("http://...")
        .addConverterFactory(GsonConverterFactory.create())
        .build();

WebAPIService apiService = retrofit2.create(WebAPIService.class);
Call<JsonObject> jsonCall = apiService.readJsonFromFileUri();
jsonCall.enqueue(new Callback<JsonObject>() {
    @Override
    public void onResponse(Call<JsonObject> call, Response<JsonObject> response) {
        String jsonString = response.body().toString();
        Gson gson = new Gson();
        MyStatus status = gson.fromJson(jsonString, MyStatus.class);
        Log.i(LOG_TAG, String.valueOf(status.status_code));                
    }

    @Override
    public void onFailure(Call<JsonObject> call, Throwable t) {
        Log.e(LOG_TAG, t.toString());
    }
});
...

Debug screenshot

enter image description here

Upvotes: 4

Related Questions