Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to parse this JSON data using GSON? and put it into an ArrayList

I am trying to parse data from a MongoDB cloud server. My JSON data returned from the server is as follows:

[
{
    "_id": {
        "$oid": "4e78eb48737d445c00c8826b"
    },
    "message": "cmon",
    "type": 1,
    "loc": {
        "longitude": -75.65530921666667,
        "latitude": 41.407904566666666
    },
    "title": "test"
},
{
    "_id": {
        "$oid": "4e7923cb737d445c00c88289"
    },
    "message": "yo",
    "type": 4,
    "loc": {
        "longitude": -75.65541383333333,
        "latitude": 41.407908883333334
    },
    "title": "wtf"
},
{
    "_id": {
        "$oid": "4e79474f737d445c00c882b2"
    },
    "message": "hxnxjx",
    "type": 4,
    "loc": {
        "longitude": -75.65555572509766,
        "latitude": 41.41263961791992
    },
    "title": "test cell"
}

]

The problem I am having is the data structure returned does not include a name of the array of JSON objects. Each object returned is a "post". But how do I parse it using GSON if the there is no name for the array of JSON objects. I would like to put these "posts" into an ArrayList of type Post.

like image 804
IZI_Shadow_IZI Avatar asked Dec 10 '22 05:12

IZI_Shadow_IZI


2 Answers

Piece of code you are looking for:

String jsonResponse = "bla bla bla";
Type listType = new TypeToken<List<Post>>(){}.getType();
List<Post> posts = (List<Post>) gson.fromJson(jsonResponse, listType);
like image 84
yorkw Avatar answered Apr 13 '23 00:04

yorkw


Use the contructor for JSONArray to parse the string:

//optionally use the com.google.gson.Gson package
Gson gson = new Gson();
ArrayList<Post> yourList = new ArrayList<Post>();
String jsonString = "your string";
JSONArray jsonArray = new JSONArray(jsonString);
for (int i = 0; i < jsonArray.length(); i++){
  Post post = new Post();

  //manually parse for all 5 fields, here's an example for message
  post.setMessage(jsonArray.get(i).getString("message")); 

  //OR using gson...something like this should work
  //post = gson.fromJson(jsonArray.get(i),Post.class);

  yourList.Add(post);
 }

Considering there are only 5 fields, using Gson might be more overhead than you need.

like image 29
Sam Dozor Avatar answered Apr 12 '23 23:04

Sam Dozor