This question already has answers here:
Why does Gson fromJson throw a JsonSyntaxException: Expected BEGIN_OBJECT but was BEGIN_ARRAY?
(2 answers)
Closed 3 years ago.
I'm make an API call with retrofit, the problem is the JSON I get from the call. Normally it was a simple Json with an array in it.
[
{
"herbID": 1,
"nameTrival": "Baldrian",
"nameWissenschaft": "Valeriana officinalis",
....
},
{
"herbID": 2,
"nameTrival": "Ringelblume",
"nameWissenschaft": "Calendula officinalis",
....
},
....
]
The new call looks like this
[
[
{
"nameTrival": "Baldrian",
"nameWissenschaft": "Valeriana officinalis",
"hoeheFrom": 20,
"hoeheTo": 200,
"familie": "Baldriangewaechse",
"pflanzentype": "Staude",
"auffaelligkeiten": "Je nach Standort sind die Fiederblätter schmäler oder breiter sowie dunkel- oder hellgrün, oft auch unterschiedlich geformt."
}
],
[
{
"standort": "Ufer"
},
{
"standort": "Graben"
},
{
"standort": "Wiesen"
},
{
"standort": "Waldrand"
}
],
[
{
"gebiet": "Nordeuropa"
},
{
"gebiet": "Südeuropa"
},
{
"gebiet": "Westeuropa"
},
{
"gebiet": "Osteuropa"
},
{
"gebiet": "Südosteuropa"
},
{
"gebiet": "Mitteleuropa"
},
{
"gebiet": "Südwesteuropa"
},
{
"gebiet": "Nordosteuoropa"
},
{
"gebiet": "Nordwesteuropa"
}
],
{
"fieldCount": 0,
"affectedRows": 0,
"insertId": 0,
"serverStatus": 34,
"warningCount": 0,
"message": "",
"protocol41": true,
"changedRows": 0
}
]
I parsed the first Json with the following code
Call<List<Herb>> call = service.getAllHerbs();
call.enqueue(new Callback<List<Herb>>() {
#Override
public void onResponse(Call<List<Herb>> call, Response<List<Herb>> response) {
herbList = response.body();
loadDataList(herbList);
}
#Override
public void onFailure(Call<List<Herb>> call, Throwable t) {
Toast.makeText(PlantListActivity.this, "Unable to load herbs\nCheck your internet connection", Toast.LENGTH_LONG).show();
}
});
The new class looks like this
public class Herb{
ArrayList<Botanical> botanical;
ArrayList<Location> locations;
ArrayList<Area> areas;
public ArrayList<Botanical> getBotanical() {
return botanical;
}
public ArrayList<Location> getLocations() {
return locations;
}
public ArrayList<Area> getAreas() {
return areas;
}
}
With the new Json and the class it always fail with the error "java.lang.IllegalStateException: Expected BEGIN_OBJECT but was BEGIN_ARRAY at line 1 column 2 path $"
Didn't I tell gson that the following is an array, after I declare them as an ArrayList? What is wrong with my class?
EDIT:
The difference between the possible duplicate and my question is, that the other one has arrays with names. My json arrays doesn't have one, that's why I have a hard time parsing them.
If you want to handle response with type Herb class, then you need to modify service response like
Rather than
[{},{},{}] // this is much difficult to handle
Try this which has to be done at server end
{
"botanical":[],
"area" : [],
"location" : []
}
Then call will be Call<Herb> someMethod();
If change not possible
then handle it as JsonArray
Call<JsonArray> someMethod();
By this you can handle existing response and fetching value key and parse as per requirement. But this is not recommended because it's difficult to maintain if future change and require lot of change
The problem is you're telling Gson you have an object of your type. You don't. You have an array of objects of your type. You can't just try and cast the result like that and expect it to magically work ;)
The User guide for Gson Explains how to deal with this
Your new response is very bad. It's impossible to parse that kind of JSON.
It represents array of different objects (different type). So, GSON can do nothing, you have to create a class that is equivalent to the entire response.
Your first JSON response is fine.
Related
This question already has answers here:
Make Jackson interpret single JSON object as array with one element
(3 answers)
Closed 2 years ago.
I have a rest endpoint with the following response
{
"Shops": {
"Shop": [
{
"RowID": "1",
"Penalties": {
"Penalty": [
{
"PenaltyCode": "abc-01",
"PenaltyCount": "1"
},
{
"PenaltyCode": "abc-02",
"PenaltyCount": "2"
}
]
},
"VisitOutComes": {
"VisitOutCome": {
"TaskOutComeName": "text",
"TaskOutComeCount": "1"
}
}
}
]
}
}
I need to insert the response in a RDMS using hibernate.
I already done the hibernate part and the rest client part.
I am confused how to map the json to java classes.
I write the follwing classes , getter and setter are omitted for clarity.
public class Shops {
#JsonProperty("Shop")
private ArrayList<Shop> shop ;
public class Shop {
#JsonProperty("VisitOutComes")
private VisitOutComes visitOutComes ;
#JsonProperty("Penalties")
private Penalties penalties ;
#JsonProperty("RowID")
private String rowID ;
public class VisitOutComes {
#JsonProperty("VisitOutCome")
ArrayList<VisitOutCome> visitOutCome ;
public class Penalties {
#JsonProperty("Penalty")
ArrayList<Penalty> penalty ;
public class VisitOutCome {
#JsonProperty("TaskOutComeCount")
private String TaskOutComeCount;
#JsonProperty("TaskOutComeName")
private String TaskOutComeName ;
public class Penalty {
#JsonProperty("penaltyCode")
private String penaltyCode ;
#JsonProperty("penaltyCount")
private String penaltyCount ;
Then I wirte the main method as follows :
ObjectMapper mapper = new ObjectMapper();
mapper.disable(DeserializationFeature.FAIL_ON_UNKNOWN_PROPERTIES);
mapper.configure(DeserializationFeature.UNWRAP_ROOT_VALUE, true);
String path = "C:\\jars\\response.json" ;
Shops shops = mapper.readValue(new File(path),Shops.class);
Finally I get the error
Cannot deserialize instance of java.util.ArrayList jscksondemo.VisitOutCome out of START_OBJECT token
I appreciate any help on how to create the maping for this json file.
Try with this JSON:
{
"Shops": {
"Shop": [
{
"RowID": "1",
"Penalties": {
"Penalty": [
{
"PenaltyCode": "abc-01",
"PenaltyCount": "1"
},
{
"PenaltyCode": "abc-02",
"PenaltyCount": "2"
}
]
},
"VisitOutComes": {
"VisitOutCome": [
{
"TaskOutComeName": "text",
"TaskOutComeCount": "1"
}
]
}
}
]
}
}
I think the bracket of your VisitOutCome List is not right.
Hi I'm trying to send a PUT request using Retrofit that uses $addToSet to my Mlab Server. I can do this using Postman but I'm having trouble doing it using Retrofit.
The collection looks like:
[
{
"_id": {
"$oid": "5abe74bac2ef1603f4045686"
},
"email": "test#gmail.com",
"completedWalks": [
"South Leinster Way"
],
"favWalks": []
}
]
The post man request has the API key, Query, and then $addToSet is passed in the body as so.
And the response is:
I'm trying to do it like this in android.
Retrofit:
#PUT("databases/walks/collections/user")
Call<Update> addCompleted (#Query("apiKey") String apiKey,#Query("q") String Email, #Body Update Query);
My model:
public class Update {
#SerializedName("n")
private String n;
public String getN() {
return n;
}
public Update(String n) {
this.n = n;
}
}
Creating the update object:
String updateComplete = String.format("'$addToSet': {'completedWalks': '%s'}} ", TrailName);
final String query =String.format("{'email': '%s'}",email) ;
final Update queryComplete = new Update(updateComplete);
And the Request:
Call<Update> completeCall = apiService.addCompleted(mlabAPi, query, queryComplete);
completeCall.enqueue(new Callback<Update>() {
#Override
public void onResponse(Call<Update> call, Response<Update> response) {
Toast.makeText(getApplicationContext(),"Walk marked as Complete", Toast.LENGTH_SHORT).show();
}
#Override
public void onFailure(Call<Update> call, Throwable t) {
Log.e(TAG, t.getMessage());
}
});
But this only overwrites whats in the collection and I have:
[
{
"_id": {
"$oid": "5abe74bac2ef1603f4045686"
},
"n": "'$addToSet': {'completedWalks': 'Kerry Head Cycleway'}} "
}
]
Does anyone know where I'm going wrong, should I not be passing $addToSet as a model because it seems to be overwriting all, how do I pass it then?
Thank You.
#Body Update Query -- Retrofit will encode the object passed to this as JSON (assuming you are using the Gson converter, which it appears you are). That is where this "n": "'$addToSet': {'completedWalks': 'Kerry Head Cycleway'}} " is coming from. You need to structure you Java Object the same as your JSON object for gson to serialize it correctly.
I am not familiar with the mlab api, but from your postman, it looks like you want a request body something like this --
public class UpdateRequest {
#SerializedName("$addToSet")
Map<String, String> addToSet = new HashMap();
}
Update your interface to send this object as the body --
#PUT("databases/walks/collections/user")
Call<Update> addCompleted (#Query("apiKey") String apiKey,#Query("q") String Email, #Body UpdateRequest Query);
And create the request body --
UpdateRequest requestBody = new UpdateRequest();
requestBody.addToSet.put("completedWalks", Trailname);
and create the call --
Call<Update> completeCall = apiService.addCompleted(mlabAPi, query, requestBody);
For further debugging, you can see what is actually being sent in your logcat by adding HttpLoggingInterceptor to your retrofit instance.
See here for setup. Then you can compare what your app is sending vs postman and see where things might be going sideways.
This question already has answers here:
How to parse JSON in Java
(36 answers)
Closed 5 years ago.
I'm trying to parse multiple objects,Bellow i'm receiving Json Sample The requirement completed and my question now outdated, can someone please up-vote to help me for asking next question? Will he helpfull for and thanks for
{
"0": //outer objects are multiples, i just post one object for sample
{
"id": "1",
"name": "B2 MR1",
"description":
{
"0": //it is also multiple objects m just showing one
{
"title": "Carve the Future",
"description": "Welcome to Meeting Room 1",
"push_notification": "Carve the Future",
}
}
},//after that the next obj will be show
.
.
}
In second object 1 i also have above keys and values, i can't handel it, here is my Model.
public class JsonModel {
private String id; //getter setter
private String name; //getter setter
List<InnerDescprtion> description; //getter setter
}
Here is my InnerDescprtion Model
private class InnerDescprtion {
private String id; //getter setter
private String title; //getter setter
}
And below is my java code for parsing it using Gson,
JsonModel outterModelClass= null;
List<JsonModel> listObj = new ArrayList<>();
for (int i = 0; i < responseJson.length(); i++) {
try {
outterModelClass= new Gson().fromJson(responseJson.getString(String.valueOf(i)), JsonModel.class);
listObj.add(outterModelClass); //here i'm getting exception,,
} catch (JSONException e) {
e.printStackTrace();
}
}
I get the solution, Please up-vote to help me.
If it is possible for you I would change the json to something like this:
[{
"id": "1",
"name": "B2 MR1",
"description": [{
"id" : "1-1",
"title": "Carve the Future",
"description": "Welcome to Meeting Room 1",
"push_notification": "Carve the Future"
}]
},
{
"id": "2",
"name": "B2 MR2",
"description": [{
"id" : "2-1",
"title": "Carve the Future 2",
"description": "Welcome to Meeting Room 2",
"push_notification": "Carve the Future 2"
}]
}
]
Then your approach should work with just a few changes:
BufferedReader br = new BufferedReader(new FileReader("c:/test/test.json"));
Type listType = new TypeToken<ArrayList<JsonModel>>(){}.getType();
List<JsonModel> outterModels = new Gson().fromJson(br, listType);
If you can't change the json I would suggest to use another JSON library like json simple and extract everything manually.
Your 'listObj' should be defined this way:
ArrayList<JsonModel> listObj = new ArrayList<JsonModel>();
Well that is a nasty looking JSON. However I recommend you use volley android library. I had a task with somewhat similar problem. Only there was a single object inside of another object. To include volley in your project, update your build.gradle app module with compile 'com.android.volley:volley:1.0.0' inside dependencies{}. baseUrl is the url where you are fetching the JSON from.
Then you can do something like:
JsonObjectRequest jsonObjReq = new JsonObjectRequest(Request.Method.GET,
baseUrl,
null,
new Response.Listener<JSONObject>() {
#Override
public void onResponse(JSONObject response) {
try {
// Parsing json object response
// response will be a json object
for (int i=0; i<response.length(); i++){
JSONObject obj = response.getJSONObject(i);
//id
//name
try{
for (int j=0; j<obj.length() ; j++) {
JSONObject description = obj.getJSONObject(j);
//title
//description
//push notification
}
} catch (JSONException e) {
e.printStackTrace();
Toast.makeText(getApplicationContext(),
"Error: " + e.getMessage(),
Toast.LENGTH_LONG).show();
}
}
} catch (JSONException e) {
e.printStackTrace();
Toast.makeText(getApplicationContext(),
"Error: " + e.getMessage(),
Toast.LENGTH_LONG).show();
}
hidepDialog();
}
}, new Response.ErrorListener() {
#Override
public void onErrorResponse(VolleyError volleyError) {
VolleyLog.d(TAG,"Error: "+ volleyError.getMessage() );
Toast.makeText(getApplicationContext(), volleyError.getMessage(), Toast.LENGTH_SHORT).show();
hidepDialog();
}
});
//adding request to request queue
AppController.getmInstance().addToRequestQueue(jsonObjReq);
Add this in your parseJSON(){} method or whatever you've named it.
I have not tried doing what you are trying do to. But it seems doable, with the use of volley library.
Here is my code:
try {
JSONObject json = (JSONObject) new JSONTokener(result).nextValue();
System.out.println(json);
JSONObject json2 = json.getJSONObject("data");
String test = json2.getString("headline");
System.out.println(test);
} catch (JSONException e) {
e.printStackTrace();
}
My String values start with the object data. So I am trying to get that object first and then capture the the object headline inside that.
My problem is, it is not taking the object data from the string.
Once I reach the line JSONObject json2 = json.getJSONObject("data");, it throws the exception. Please shed some light on this.
"data": [
{
"headline": "Close Update"
"docSource": "MIDNIGHTTRADER",
"source": "MTClosing",
"dateTime": "2015-10-23T16:42:46-05:00",
"link": "Markets/News",
"docKey": "1413-A1067083-1B14K77PVTUM1O7PCAFMI3SJO4",
},
The value for the key data is a JSON array containing one object, and not an object itself.
To get that object inside data, replace your line that throws an exception with the following:
JSONObject json2 = json.getJSONArray("data").get(0);
This gets the data array as a JSONArray object and then gets the 0th element, which is the object you want.
Your data "object", isn't actually an object, it's an array, notice the opening square bracket... I'm assuming in your actual code, it closes with one too.
"data": [{
"headline": "Close Update"
"docSource": "MIDNIGHTTRADER",
"source": "MTClosing",
"dateTime": "2015-10-23T16:42:46-05:00",
"link": "Markets/News",
"docKey": "1413-A1067083-1B14K77PVTUM1O7PCAFMI3SJO4",
}]
Try json.getJSONArray("data")[0] instead... or whatever index you need
try {
JSONObject json = (JSONObject) new JSONTokener(result).nextValue();
System.out.println(json);
JSONObject json2 = json.getJSONArray("data")[0];
String test = json2.getString("headline");
System.out.println(test);
}
catch (JSONException e) {
e.printStackTrace();
Your problem is based on the fact that your service returns and array instead of a single json object, so from here you can follow this suggestions to process directly from the JSONArray Can't access getJSONArray in java, or, at server side you can encapsulate your response array into another object like this (java example):
public class Data<T> {
private List<T> elements;
public ObjectSugetionsDTO(){
And build the response like this:
return new ResponseEntity<Data<YourInternalRepresentation>>(
new Data<YourInternalRepresentation>(yourMethodCallForTheArray()),
HttpStatus.OK);
I have found the second way to be better at keeping my API cleaner and more readable
EDIT: Better way
I whould also suggest the use of retrofit (http://square.github.io/retrofit/), by doing so, your service calls is resumed to (Example of calling and API that retrieves a list of users):
public class UserService {
public static IUserService getUserService() {
return RestAdapterManager.createService(IUserService.class );
}
public interface IUserService{
#GET("/api/users")
public void getAllUsers(Callback<List<User>> callback);
}
}
and the service call itself
UserService.getUserService().getAllUsers(new Callback<List<User>>() {
#Override
public void success(List<User> users, Response response) {
Log.d("Exito! " , "" + users.size());
}
#Override
public void failure(RetrofitError error) {
Log.d("Fail!", error.getUrl());
}
});
The simple inicialization of the connection object
public static <S> S createService(Class<S> serviceClass, String username, String password) {
RestAdapter.Builder builder = new RestAdapter.Builder()
.setEndpoint(API_BASE_URL);//Your api base url
RestAdapter adapter = builder.setLogLevel(RestAdapter.LogLevel.FULL).build(); //change the logging level if you need to, full is TOO verbose
return adapter.create(serviceClass);
}
I'm getting this error when I receive only one single item in a list. I'm using Jersey in the server side REST Web service, I only get the error when the List returned one single element and when it has 0 elements I get java.lang.NullPointerException But when it has more than one it works perfectly, and this is how I'm doing it :
#GET
#Path("getproject")
#Produces(MediaType.APPLICATION_JSON)
public List<Project> getPagedProjects(
#QueryParam("offset") int offset,
#QueryParam("limit") int limit,
#QueryParam("searchKey") String searchKey) throws Exception {
System.out.println("Returning Paged Project ");
return projectService.getPagedProjects(offset, limit, searchKey);
}
Why doesn't Jersey send a list that contains one single item? It is a bug in jersey?
Is there a way to make it always serialize as an array?
This is my JSON data when the web service returns 0 element:
null
And This is my JSON data when web service returns 1 element :
{
"project": {
"abbreviation": "abc",
"customer": "customer1",
"description": "description3",
"icon": "iVBORw0KGgoAAAANSUhEUgAAADAAAAAwCAYAAABXAvmHAAAN4UlEQVR42u2ZeXBUx53Hx8FgSAIWMiB0jO7RLRkwbFxxnC1ntyp/JXbh9TrmirEDOpA4JQQ6kdCBDiQOU65UjNdO2djYGLCzKRJjY841SJoZzaEZaTSjc0b3hST0JCH5u79fa54YCZLUZteurQpTfKq7X/f0+35//et+b4RC8fDz8PPw8/Dz8PMP/ykoKFBkZmY+evLkyR9//PHHr545c2azC6/9BUQ/jd/w4Ycf/uLNN9+M3r179w8AKNzd3b878eXl5QoSoXjnnXd+ZjAYmjo7Oye6uromme7u7m+coKenR+YbF3jcWHt7+2B9fX3r1atXP3777befW7du3aOpqanfjYGysjJFY2Oj4uzZszt6e3sxOjoqGBu/i7sTE8QkJia/EdC/aeRr3D9+9y7Gx8cxPDyM2tpaO821JysrayHP/Z0YuH37tuLcuXO7+vr6vpEN9LZa4DBcQ5vxGjpqrqOz5ga6TIT5Brpd6K27hZGBboyNjU2bdzgcdy5duvS7N954I4Ru8ciWLVu+XQMDAwO8AjvZAEe+v7kG2pyfQLvTG7rdSuj3+MKQ4gdjqr+gJtUPpr2+MKcoUZushP10CkZHhoV4SZIENNeEXq+vvnDhwqFTp05tfPfdd1+gNP3l/5a33nrrudLS0sePHj2qyMvLu9/A+N0J9JmvonE/CUtdBHvWUtgLvGEv9Ye9PHCKEj/Y871gz1wCe/IP0fnbtZAG+yCRgZGREdy5c0fAKUVpOUkrIrW0tAw3NzcPNzU1DTGUtoKGhgaBzWYTWK3WIdpPAovFIqirqxNQeg5TUPo+++yzQ+vXr3/0yJEjD1qBcYwO38bA1++g90IG+r7MRd+1QvTdLEFfVRn6Kg+j7+ti9F7JR+/FAzQmG0OWa9PiZQMsfmhoSDA4OCigVAXdC/39/bxCbG76cOCDgg4E0CGCjo4O0MGAtrY2AQUAdrsdra2tAjosqnJycpbyKggDNOE9A5TLY2Pj4JVgeJPOwHmdU43HjRLS6NgDxcui/y+E0wqCVlCUZKA6Pz/fY4aBTz75ZIdsQJxCVPLJwsyuy5tVzvm/FnlZPCOLlw3I4mUDLF42MDvqsgGGDdCz654BmlgY4HyVhbEgnpQFsWguuc3XnZtU3FjOd44ei2LhLJZvykK5zuMo70U/X+M+bsvCKfdFm8WzaLPZLIRynfYHjEaj6Je5cuXKzBWgSYUBfjDJpwgLoQ0khIpjlW7Mbb7OJnhyvrEccdp0QhhHncfyTVkQpw1HkzafEMwmeB7ul9NGp9Px80OM50hXVFSANrOYjzYvbt68KYzQpp82MGMF2AC9FmynJZ2cfYrIdYaF8jXXHJdLOU1cc9013zldZue7a86zSTlt2IQMrwQLl2ED96UQ3UAY4NcHWeBf4kEni2ueP0j87M06Y8O2dwgcbR2wOziF2tBqd6Cl1Y7mFjuamjndWtDohNtXrl6vziso9ig/emKmAZp4UhYoR9s10rNPFtfTZfYp8zcj39FJEaco27RoMFyETfsH2NTnYdUwn8Kq/RT1DLUtdN1SdQ6WyrOCa+fLrJ8XRT9/rXShlzBAk/ML3XaaeFKOLIvhvGMR3GYR3JbF8nLzcsqiuU/euCyWc5dTg+vyxmxra0dHZxds1lqYbpyC+VQsDAXPQLc3DLo9wdDvVUGfFgFdZjQMB1fBWLCG+ldDn7sC+uyYqb4UFbSJ3ner4xZ1VOW4nxcGSDgbSKIlnZRToaenl25ah86ubtweHBYRM1G7p7cf/QODtJzNqLNY0dvXT9f6YK6tQ0Njk6i3d3TRpjVSGjjQ1d0jlr1apyeDzWgyfgHd71+DencQtBuWQP1v7qhcuxhVa92p/oSg8kV3VHH9pSWinG47qXh+0V3184/2aNLddMIACVd89NFHSRTVSRFRoqeLNpXlKhymz+EwX4Sj9gviS7RZLqGt/is4rFO02S4L7PWXYLd8ida6L9BC45tr/oxm45/QpPsjGivPoP7yCZg/SKBIrkL15uXQvLwM6r8LD1SsdRtXvzi3uyp78Z+EARKuOH36dBIt9SSnQ09PJ6x/PggDLaU+OYSWNgyGfREwpkXBmBEDY9YKGA+sQk3uatQc/CdiDYw5q2EkcYbMJ2FIpxTYHwl9aji9CIZAtz0A1XG+0P7aE5pXSPwrntOo/w4qXnQf17w8r6Mid/F7wgAJFwYohyc4hzvsFtSc+DmqN3nTMiud+EC7/h6a+/B24vPXoXnU651scELfm0Luc23P6qPxFS8tGdNsmG+/ledWLAyQcAX9LEyiM3eim3Lf0aiFvuhpVLGgTX4UOX9RVrJ4Z1u9wRdVbIzqDPdVbfSdMVZNba5zWbFuai6mar1yqp/7Nk318VyuY+Xv8nW5rXZ+v/Jlj1H15gUtX+e77RAGSLgwQKfKBG+6ZvNXtPNXQcPiXg2EdnOQKDW/DqD6VFvj2nbWNa8GTI0n1C5t7lNv8hdtjbNPtHmMs6521me3Z49lKn7lOare8v2G64fc/n36J+UHH3yQSOUEnzoNmrPQZ0Sj+nU6sv6nvBY8jeZbQUWr5z1aFf8D49Vit58JA/ROo6BfTYlUTrTTOW258Radt+Go3hIm0DpxrT+Y0Jn8JhSab4HKjcrRyqQfVlwucVshDNCLkzBA5QQ/1msvlkK3KxTq35CorRGojo0UpZpFxnI7Apqt4dNthsdqtoSLcVrqq+KbbZ1q83Vua6fbYfRdaseGC9RbeSy146gdR31bQ0SpjXdp81jup3tVbvYbq9i98Ksvy9yUwgC9HQoD9EY50UpPzZrz+1C9IxwVr5OouChUJ0RDQyYq2BC346NRRaIq5TZR+TobplWLjSKRkah8LUQI1sWR+dgwMqCCjgTpt5GIeEq1eHrybqfjeTsJ3xZER60Khp2h0O8MgSYxELodITBQELnUJAZBv4P7wqgMhyaeDOxf9J8X3ljsJgzQY1/x/vvvJ1I50dLSBD094nU7oqFNeJLEuxAfQyKIuBgSGi3QTRMFPRkxxBMJkTAmhKMmkUgKg4lEmkiIeVcIancTe1SoTVahLoUJRt1eIvUetfuc7FcJzPuYEJgEZCTZ725F1qJ3Pz2xeIEwQO/iwgCVE42NFuh+9zJ0iSR020roElaQaOZJ6Jk4J7ExMJARI61GTUIUTImRMCdFoHZ7OOooUnUUPQs9xOpJaD0JtZJIa2oQbPuI/YGwpQWiIZ3ICLhHJpE1hc2JNStQUJ8VRATDkqWCKV05UZH7+OET/7FkjjBgMpkU7733XqLZXDthq9Oi+tgvaKnpBSqBnqxM/EoSuxJGhszU0GqYtsWQ4CgSHEmCI1C/KxzWPWGwJYfClhKCBnoxa6QoNu4PQhOJbc4gSGBLlj9ashk/tB4gchhftOZO0XJQxg/NTpoO+gsac8lcbiAsB7wnK/IeT7dnLVLcZ6C+5jp0Rf8qhGu30GtBHL0yJDwlhBson2uTYmCh9KrjSFNe2vaEoyGFhZPYvUFoSQtGC0W2Oc0PdhLrILGOA76wZ/ugPVeJ9jwl2g56E15oz/dGewHV870E7YU+aCv0hj3fEw4qHdS2Ey00rrWQDBb6oaXAH9Y8r7Fb+W6xhly3WQZq6ybqqj+HLucZyuHVlNcrKNKrSPRKijRHPBLW3VFoSI4kQtFI+duapoI9I4jwR1uWHzpz/NFJEezM9UF3vg96CggS013oid4iL/QVc7kcPUUe6C1Zjt5SqhcvQ0+JB3qo3k3XOoo90FniSZCpYi84DnmirYjMFSnhKPKFrdB79Ov8J16sOrj0fgO1t87QQ+xpEruGIvwULDtXoX73CopwDEU4Cs37wtGaHgpHpgrt2UEkOADdtLw9+X7oLfBDP0VqgG5yu1iJ2yVKDJb6YPAw442hMq8pyj2J5YQHBo8wy3BbsBQDRH/5MvQRvWUe6C7zRNdhL3SWeqOjhFaM5rQd8hq6nrfs2Ru5HorpTUwGktiA8dJJGPf/CJZdq1G/5ynK55VoTI1BC71d2jPC0J4VQqKDSXQgiQ5AHy3pwCF/EuyPwRJ/DJX6Y/iwP+6U+WOknDjiD4k56kf4QjrG+BDeGDnmhZHjywkP3Dm+DMOCpRg8thS3iYGjZISM9ZLZHjLeRYHopIBYCpWdFzO9Ij7P9FIo+M9zly9fZgNxJtoD2j8chyl1DazJT9FGXEkRj6aIR1DEQ9FxQIWu3CD05AWS8AAMFJLoogAMlQRguDQAI4cDIZUFYbQ8GGNHVEQIxo+GTnGM6sdURBDGjwcQfhg7riS8MXrcExKZGCEDd8gAM3RsCQaP8orwalC6lVF60SqyAWNOkPmjXdE+Z5IjFYpHHnmE/8Y7JyUl5blz5z81/fH3x6Qvdv5Y+q9tMdLNpCjp1vYIqXJnuKTeFSpp94RIumSVpE9RSYa9wVJNarBk2qeSzPtVUm1aiFSXHirVZ4RJ1swIyZYZKTVkRUkN2TFSoyCa6tyOIMIkW3aIZM0OluqzA4kAyZLlL9Vl+UrmTF/JlKmUTBlKyUgY0pWSPt1Xqk7zk7T7/aVbe4PunI6NPLlS5fME61bMmTPne4899pj7ggULVq9Zs+bVtS+8sO+lf3k67VfPhKczrzA/CUtf58L6Z++xQeanU2z8abhgE/PPMhEudSZMsJER3wkVbHCy/tmZrJsmLP35H4XuUXos+eW8x+ZHLJg/f6H4E/u8efPmzJ079/u0GnyBWeQs/18yd+68hRT0+aT7ew//g/Dh5x/989/YnyApxuVsjAAAAABJRU5ErkJggg==",
"name": "projectname3",
"plannedEndDate": "2012-05-23T00:00:00+01:00",
"plannedStartDate": "2012-05-23T00:00:00+01:00",
"projectStatus": {
"name": "In Progress"
},
"realEndDate": "2012-05-23T00:00:00+01:00",
"realStartDate": "2012-05-23T00:00:00+01:00"
}
}
And This is my JSON data when web service returns more than 1 element :
{
"project": [
{
"abbreviation": "abd",
"customer": "customer1",
"description": "description1",
"icon": "iVBORw0KGgoAAAANSUhEUgAAADAAAAAwCAYAAABXAvmHAAAN4UlEQVR42u2ZeXBUx53Hx8FgSAIWMiB0jO7RLRkwbFxxnC1ntyp/JXbh9TrmirEDOpA4JQQ6kdCBDiQOU65UjNdO2djYGLCzKRJjY841SJoZzaEZaTSjc0b3hST0JCH5u79fa54YCZLUZteurQpTfKq7X/f0+35//et+b4RC8fDz8PPw8/Dz8PMP/ykoKFBkZmY+evLkyR9//PHHr545c2azC6/9BUQ/jd/w4Ycf/uLNN9+M3r179w8AKNzd3b878eXl5QoSoXjnnXd+ZjAYmjo7Oye6uromme7u7m+coKenR+YbF3jcWHt7+2B9fX3r1atXP3777befW7du3aOpqanfjYGysjJFY2Oj4uzZszt6e3sxOjoqGBu/i7sTE8QkJia/EdC/aeRr3D9+9y7Gx8cxPDyM2tpaO821JysrayHP/Z0YuH37tuLcuXO7+vr6vpEN9LZa4DBcQ5vxGjpqrqOz5ga6TIT5Brpd6K27hZGBboyNjU2bdzgcdy5duvS7N954I4Ru8ciWLVu+XQMDAwO8AjvZAEe+v7kG2pyfQLvTG7rdSuj3+MKQ4gdjqr+gJtUPpr2+MKcoUZushP10CkZHhoV4SZIENNeEXq+vvnDhwqFTp05tfPfdd1+gNP3l/5a33nrrudLS0sePHj2qyMvLu9/A+N0J9JmvonE/CUtdBHvWUtgLvGEv9Ye9PHCKEj/Y871gz1wCe/IP0fnbtZAG+yCRgZGREdy5c0fAKUVpOUkrIrW0tAw3NzcPNzU1DTGUtoKGhgaBzWYTWK3WIdpPAovFIqirqxNQeg5TUPo+++yzQ+vXr3/0yJEjD1qBcYwO38bA1++g90IG+r7MRd+1QvTdLEFfVRn6Kg+j7+ti9F7JR+/FAzQmG0OWa9PiZQMsfmhoSDA4OCigVAXdC/39/bxCbG76cOCDgg4E0CGCjo4O0MGAtrY2AQUAdrsdra2tAjosqnJycpbyKggDNOE9A5TLY2Pj4JVgeJPOwHmdU43HjRLS6NgDxcui/y+E0wqCVlCUZKA6Pz/fY4aBTz75ZIdsQJxCVPLJwsyuy5tVzvm/FnlZPCOLlw3I4mUDLF42MDvqsgGGDdCz654BmlgY4HyVhbEgnpQFsWguuc3XnZtU3FjOd44ei2LhLJZvykK5zuMo70U/X+M+bsvCKfdFm8WzaLPZLIRynfYHjEaj6Je5cuXKzBWgSYUBfjDJpwgLoQ0khIpjlW7Mbb7OJnhyvrEccdp0QhhHncfyTVkQpw1HkzafEMwmeB7ul9NGp9Px80OM50hXVFSANrOYjzYvbt68KYzQpp82MGMF2AC9FmynJZ2cfYrIdYaF8jXXHJdLOU1cc9013zldZue7a86zSTlt2IQMrwQLl2ED96UQ3UAY4NcHWeBf4kEni2ueP0j87M06Y8O2dwgcbR2wOziF2tBqd6Cl1Y7mFjuamjndWtDohNtXrl6vziso9ig/emKmAZp4UhYoR9s10rNPFtfTZfYp8zcj39FJEaco27RoMFyETfsH2NTnYdUwn8Kq/RT1DLUtdN1SdQ6WyrOCa+fLrJ8XRT9/rXShlzBAk/ML3XaaeFKOLIvhvGMR3GYR3JbF8nLzcsqiuU/euCyWc5dTg+vyxmxra0dHZxds1lqYbpyC+VQsDAXPQLc3DLo9wdDvVUGfFgFdZjQMB1fBWLCG+ldDn7sC+uyYqb4UFbSJ3ner4xZ1VOW4nxcGSDgbSKIlnZRToaenl25ah86ubtweHBYRM1G7p7cf/QODtJzNqLNY0dvXT9f6YK6tQ0Njk6i3d3TRpjVSGjjQ1d0jlr1apyeDzWgyfgHd71+DencQtBuWQP1v7qhcuxhVa92p/oSg8kV3VHH9pSWinG47qXh+0V3184/2aNLddMIACVd89NFHSRTVSRFRoqeLNpXlKhymz+EwX4Sj9gviS7RZLqGt/is4rFO02S4L7PWXYLd8ida6L9BC45tr/oxm45/QpPsjGivPoP7yCZg/SKBIrkL15uXQvLwM6r8LD1SsdRtXvzi3uyp78Z+EARKuOH36dBIt9SSnQ09PJ6x/PggDLaU+OYSWNgyGfREwpkXBmBEDY9YKGA+sQk3uatQc/CdiDYw5q2EkcYbMJ2FIpxTYHwl9aji9CIZAtz0A1XG+0P7aE5pXSPwrntOo/w4qXnQf17w8r6Mid/F7wgAJFwYohyc4hzvsFtSc+DmqN3nTMiud+EC7/h6a+/B24vPXoXnU651scELfm0Luc23P6qPxFS8tGdNsmG+/ledWLAyQcAX9LEyiM3eim3Lf0aiFvuhpVLGgTX4UOX9RVrJ4Z1u9wRdVbIzqDPdVbfSdMVZNba5zWbFuai6mar1yqp/7Nk318VyuY+Xv8nW5rXZ+v/Jlj1H15gUtX+e77RAGSLgwQKfKBG+6ZvNXtPNXQcPiXg2EdnOQKDW/DqD6VFvj2nbWNa8GTI0n1C5t7lNv8hdtjbNPtHmMs6521me3Z49lKn7lOare8v2G64fc/n36J+UHH3yQSOUEnzoNmrPQZ0Sj+nU6sv6nvBY8jeZbQUWr5z1aFf8D49Vit58JA/ROo6BfTYlUTrTTOW258Radt+Go3hIm0DpxrT+Y0Jn8JhSab4HKjcrRyqQfVlwucVshDNCLkzBA5QQ/1msvlkK3KxTq35CorRGojo0UpZpFxnI7Apqt4dNthsdqtoSLcVrqq+KbbZ1q83Vua6fbYfRdaseGC9RbeSy146gdR31bQ0SpjXdp81jup3tVbvYbq9i98Ksvy9yUwgC9HQoD9EY50UpPzZrz+1C9IxwVr5OouChUJ0RDQyYq2BC346NRRaIq5TZR+TobplWLjSKRkah8LUQI1sWR+dgwMqCCjgTpt5GIeEq1eHrybqfjeTsJ3xZER60Khp2h0O8MgSYxELodITBQELnUJAZBv4P7wqgMhyaeDOxf9J8X3ljsJgzQY1/x/vvvJ1I50dLSBD094nU7oqFNeJLEuxAfQyKIuBgSGi3QTRMFPRkxxBMJkTAmhKMmkUgKg4lEmkiIeVcIancTe1SoTVahLoUJRt1eIvUetfuc7FcJzPuYEJgEZCTZ725F1qJ3Pz2xeIEwQO/iwgCVE42NFuh+9zJ0iSR020roElaQaOZJ6Jk4J7ExMJARI61GTUIUTImRMCdFoHZ7OOooUnUUPQs9xOpJaD0JtZJIa2oQbPuI/YGwpQWiIZ3ICLhHJpE1hc2JNStQUJ8VRATDkqWCKV05UZH7+OET/7FkjjBgMpkU7733XqLZXDthq9Oi+tgvaKnpBSqBnqxM/EoSuxJGhszU0GqYtsWQ4CgSHEmCI1C/KxzWPWGwJYfClhKCBnoxa6QoNu4PQhOJbc4gSGBLlj9ashk/tB4gchhftOZO0XJQxg/NTpoO+gsac8lcbiAsB7wnK/IeT7dnLVLcZ6C+5jp0Rf8qhGu30GtBHL0yJDwlhBson2uTYmCh9KrjSFNe2vaEoyGFhZPYvUFoSQtGC0W2Oc0PdhLrILGOA76wZ/ugPVeJ9jwl2g56E15oz/dGewHV870E7YU+aCv0hj3fEw4qHdS2Ey00rrWQDBb6oaXAH9Y8r7Fb+W6xhly3WQZq6ybqqj+HLucZyuHVlNcrKNKrSPRKijRHPBLW3VFoSI4kQtFI+duapoI9I4jwR1uWHzpz/NFJEezM9UF3vg96CggS013oid4iL/QVc7kcPUUe6C1Zjt5SqhcvQ0+JB3qo3k3XOoo90FniSZCpYi84DnmirYjMFSnhKPKFrdB79Ov8J16sOrj0fgO1t87QQ+xpEruGIvwULDtXoX73CopwDEU4Cs37wtGaHgpHpgrt2UEkOADdtLw9+X7oLfBDP0VqgG5yu1iJ2yVKDJb6YPAw442hMq8pyj2J5YQHBo8wy3BbsBQDRH/5MvQRvWUe6C7zRNdhL3SWeqOjhFaM5rQd8hq6nrfs2Ru5HorpTUwGktiA8dJJGPf/CJZdq1G/5ynK55VoTI1BC71d2jPC0J4VQqKDSXQgiQ5AHy3pwCF/EuyPwRJ/DJX6Y/iwP+6U+WOknDjiD4k56kf4QjrG+BDeGDnmhZHjywkP3Dm+DMOCpRg8thS3iYGjZISM9ZLZHjLeRYHopIBYCpWdFzO9Ij7P9FIo+M9zly9fZgNxJtoD2j8chyl1DazJT9FGXEkRj6aIR1DEQ9FxQIWu3CD05AWS8AAMFJLoogAMlQRguDQAI4cDIZUFYbQ8GGNHVEQIxo+GTnGM6sdURBDGjwcQfhg7riS8MXrcExKZGCEDd8gAM3RsCQaP8orwalC6lVF60SqyAWNOkPmjXdE+Z5IjFYpHHnmE/8Y7JyUl5blz5z81/fH3x6Qvdv5Y+q9tMdLNpCjp1vYIqXJnuKTeFSpp94RIumSVpE9RSYa9wVJNarBk2qeSzPtVUm1aiFSXHirVZ4RJ1swIyZYZKTVkRUkN2TFSoyCa6tyOIMIkW3aIZM0OluqzA4kAyZLlL9Vl+UrmTF/JlKmUTBlKyUgY0pWSPt1Xqk7zk7T7/aVbe4PunI6NPLlS5fME61bMmTPne4899pj7ggULVq9Zs+bVtS+8sO+lf3k67VfPhKczrzA/CUtf58L6Z++xQeanU2z8abhgE/PPMhEudSZMsJER3wkVbHCy/tmZrJsmLP35H4XuUXos+eW8x+ZHLJg/f6H4E/u8efPmzJ079/u0GnyBWeQs/18yd+68hRT0+aT7ew//g/Dh5x/989/YnyApxuVsjAAAAABJRU5ErkJggg==",
"name": "projectname1",
"plannedEndDate": "2012-05-25T00:00:00+01:00",
"plannedStartDate": "2012-05-23T00:00:00+01:00",
"projectStatus": {
"name": "Opened"
},
"realEndDate": "2012-05-25T00:00:00+01:00",
"realStartDate": "2012-05-23T00:00:00+01:00"
},
{
"abbreviation": "bd",
"customer": "customer1",
"description": "description2",
"icon": "iVBORw0KGgoAAAANSUhEUgAAADAAAAAwCAYAAABXAvmHAAAN4UlEQVR42u2ZeXBUx53Hx8FgSAIWMiB0jO7RLRkwbFxxnC1ntyp/JXbh9TrmirEDOpA4JQQ6kdCBDiQOU65UjNdO2djYGLCzKRJjY841SJoZzaEZaTSjc0b3hST0JCH5u79fa54YCZLUZteurQpTfKq7X/f0+35//et+b4RC8fDz8PPw8/Dz8PMP/ykoKFBkZmY+evLkyR9//PHHr545c2azC6/9BUQ/jd/w4Ycf/uLNN9+M3r179w8AKNzd3b878eXl5QoSoXjnnXd+ZjAYmjo7Oye6uromme7u7m+coKenR+YbF3jcWHt7+2B9fX3r1atXP3777befW7du3aOpqanfjYGysjJFY2Oj4uzZszt6e3sxOjoqGBu/i7sTE8QkJia/EdC/aeRr3D9+9y7Gx8cxPDyM2tpaO821JysrayHP/Z0YuH37tuLcuXO7+vr6vpEN9LZa4DBcQ5vxGjpqrqOz5ga6TIT5Brpd6K27hZGBboyNjU2bdzgcdy5duvS7N954I4Ru8ciWLVu+XQMDAwO8AjvZAEe+v7kG2pyfQLvTG7rdSuj3+MKQ4gdjqr+gJtUPpr2+MKcoUZushP10CkZHhoV4SZIENNeEXq+vvnDhwqFTp05tfPfdd1+gNP3l/5a33nrrudLS0sePHj2qyMvLu9/A+N0J9JmvonE/CUtdBHvWUtgLvGEv9Ye9PHCKEj/Y871gz1wCe/IP0fnbtZAG+yCRgZGREdy5c0fAKUVpOUkrIrW0tAw3NzcPNzU1DTGUtoKGhgaBzWYTWK3WIdpPAovFIqirqxNQeg5TUPo+++yzQ+vXr3/0yJEjD1qBcYwO38bA1++g90IG+r7MRd+1QvTdLEFfVRn6Kg+j7+ti9F7JR+/FAzQmG0OWa9PiZQMsfmhoSDA4OCigVAXdC/39/bxCbG76cOCDgg4E0CGCjo4O0MGAtrY2AQUAdrsdra2tAjosqnJycpbyKggDNOE9A5TLY2Pj4JVgeJPOwHmdU43HjRLS6NgDxcui/y+E0wqCVlCUZKA6Pz/fY4aBTz75ZIdsQJxCVPLJwsyuy5tVzvm/FnlZPCOLlw3I4mUDLF42MDvqsgGGDdCz654BmlgY4HyVhbEgnpQFsWguuc3XnZtU3FjOd44ei2LhLJZvykK5zuMo70U/X+M+bsvCKfdFm8WzaLPZLIRynfYHjEaj6Je5cuXKzBWgSYUBfjDJpwgLoQ0khIpjlW7Mbb7OJnhyvrEccdp0QhhHncfyTVkQpw1HkzafEMwmeB7ul9NGp9Px80OM50hXVFSANrOYjzYvbt68KYzQpp82MGMF2AC9FmynJZ2cfYrIdYaF8jXXHJdLOU1cc9013zldZue7a86zSTlt2IQMrwQLl2ED96UQ3UAY4NcHWeBf4kEni2ueP0j87M06Y8O2dwgcbR2wOziF2tBqd6Cl1Y7mFjuamjndWtDohNtXrl6vziso9ig/emKmAZp4UhYoR9s10rNPFtfTZfYp8zcj39FJEaco27RoMFyETfsH2NTnYdUwn8Kq/RT1DLUtdN1SdQ6WyrOCa+fLrJ8XRT9/rXShlzBAk/ML3XaaeFKOLIvhvGMR3GYR3JbF8nLzcsqiuU/euCyWc5dTg+vyxmxra0dHZxds1lqYbpyC+VQsDAXPQLc3DLo9wdDvVUGfFgFdZjQMB1fBWLCG+ldDn7sC+uyYqb4UFbSJ3ner4xZ1VOW4nxcGSDgbSKIlnZRToaenl25ah86ubtweHBYRM1G7p7cf/QODtJzNqLNY0dvXT9f6YK6tQ0Njk6i3d3TRpjVSGjjQ1d0jlr1apyeDzWgyfgHd71+DencQtBuWQP1v7qhcuxhVa92p/oSg8kV3VHH9pSWinG47qXh+0V3184/2aNLddMIACVd89NFHSRTVSRFRoqeLNpXlKhymz+EwX4Sj9gviS7RZLqGt/is4rFO02S4L7PWXYLd8ida6L9BC45tr/oxm45/QpPsjGivPoP7yCZg/SKBIrkL15uXQvLwM6r8LD1SsdRtXvzi3uyp78Z+EARKuOH36dBIt9SSnQ09PJ6x/PggDLaU+OYSWNgyGfREwpkXBmBEDY9YKGA+sQk3uatQc/CdiDYw5q2EkcYbMJ2FIpxTYHwl9aji9CIZAtz0A1XG+0P7aE5pXSPwrntOo/w4qXnQf17w8r6Mid/F7wgAJFwYohyc4hzvsFtSc+DmqN3nTMiud+EC7/h6a+/B24vPXoXnU651scELfm0Luc23P6qPxFS8tGdNsmG+/ledWLAyQcAX9LEyiM3eim3Lf0aiFvuhpVLGgTX4UOX9RVrJ4Z1u9wRdVbIzqDPdVbfSdMVZNba5zWbFuai6mar1yqp/7Nk318VyuY+Xv8nW5rXZ+v/Jlj1H15gUtX+e77RAGSLgwQKfKBG+6ZvNXtPNXQcPiXg2EdnOQKDW/DqD6VFvj2nbWNa8GTI0n1C5t7lNv8hdtjbNPtHmMs6521me3Z49lKn7lOare8v2G64fc/n36J+UHH3yQSOUEnzoNmrPQZ0Sj+nU6sv6nvBY8jeZbQUWr5z1aFf8D49Vit58JA/ROo6BfTYlUTrTTOW258Radt+Go3hIm0DpxrT+Y0Jn8JhSab4HKjcrRyqQfVlwucVshDNCLkzBA5QQ/1msvlkK3KxTq35CorRGojo0UpZpFxnI7Apqt4dNthsdqtoSLcVrqq+KbbZ1q83Vua6fbYfRdaseGC9RbeSy146gdR31bQ0SpjXdp81jup3tVbvYbq9i98Ksvy9yUwgC9HQoD9EY50UpPzZrz+1C9IxwVr5OouChUJ0RDQyYq2BC346NRRaIq5TZR+TobplWLjSKRkah8LUQI1sWR+dgwMqCCjgTpt5GIeEq1eHrybqfjeTsJ3xZER60Khp2h0O8MgSYxELodITBQELnUJAZBv4P7wqgMhyaeDOxf9J8X3ljsJgzQY1/x/vvvJ1I50dLSBD094nU7oqFNeJLEuxAfQyKIuBgSGi3QTRMFPRkxxBMJkTAmhKMmkUgKg4lEmkiIeVcIancTe1SoTVahLoUJRt1eIvUetfuc7FcJzPuYEJgEZCTZ725F1qJ3Pz2xeIEwQO/iwgCVE42NFuh+9zJ0iSR020roElaQaOZJ6Jk4J7ExMJARI61GTUIUTImRMCdFoHZ7OOooUnUUPQs9xOpJaD0JtZJIa2oQbPuI/YGwpQWiIZ3ICLhHJpE1hc2JNStQUJ8VRATDkqWCKV05UZH7+OET/7FkjjBgMpkU7733XqLZXDthq9Oi+tgvaKnpBSqBnqxM/EoSuxJGhszU0GqYtsWQ4CgSHEmCI1C/KxzWPWGwJYfClhKCBnoxa6QoNu4PQhOJbc4gSGBLlj9ashk/tB4gchhftOZO0XJQxg/NTpoO+gsac8lcbiAsB7wnK/IeT7dnLVLcZ6C+5jp0Rf8qhGu30GtBHL0yJDwlhBson2uTYmCh9KrjSFNe2vaEoyGFhZPYvUFoSQtGC0W2Oc0PdhLrILGOA76wZ/ugPVeJ9jwl2g56E15oz/dGewHV870E7YU+aCv0hj3fEw4qHdS2Ey00rrWQDBb6oaXAH9Y8r7Fb+W6xhly3WQZq6ybqqj+HLucZyuHVlNcrKNKrSPRKijRHPBLW3VFoSI4kQtFI+duapoI9I4jwR1uWHzpz/NFJEezM9UF3vg96CggS013oid4iL/QVc7kcPUUe6C1Zjt5SqhcvQ0+JB3qo3k3XOoo90FniSZCpYi84DnmirYjMFSnhKPKFrdB79Ov8J16sOrj0fgO1t87QQ+xpEruGIvwULDtXoX73CopwDEU4Cs37wtGaHgpHpgrt2UEkOADdtLw9+X7oLfBDP0VqgG5yu1iJ2yVKDJb6YPAw442hMq8pyj2J5YQHBo8wy3BbsBQDRH/5MvQRvWUe6C7zRNdhL3SWeqOjhFaM5rQd8hq6nrfs2Ru5HorpTUwGktiA8dJJGPf/CJZdq1G/5ynK55VoTI1BC71d2jPC0J4VQqKDSXQgiQ5AHy3pwCF/EuyPwRJ/DJX6Y/iwP+6U+WOknDjiD4k56kf4QjrG+BDeGDnmhZHjywkP3Dm+DMOCpRg8thS3iYGjZISM9ZLZHjLeRYHopIBYCpWdFzO9Ij7P9FIo+M9zly9fZgNxJtoD2j8chyl1DazJT9FGXEkRj6aIR1DEQ9FxQIWu3CD05AWS8AAMFJLoogAMlQRguDQAI4cDIZUFYbQ8GGNHVEQIxo+GTnGM6sdURBDGjwcQfhg7riS8MXrcExKZGCEDd8gAM3RsCQaP8orwalC6lVF60SqyAWNOkPmjXdE+Z5IjFYpHHnmE/8Y7JyUl5blz5z81/fH3x6Qvdv5Y+q9tMdLNpCjp1vYIqXJnuKTeFSpp94RIumSVpE9RSYa9wVJNarBk2qeSzPtVUm1aiFSXHirVZ4RJ1swIyZYZKTVkRUkN2TFSoyCa6tyOIMIkW3aIZM0OluqzA4kAyZLlL9Vl+UrmTF/JlKmUTBlKyUgY0pWSPt1Xqk7zk7T7/aVbe4PunI6NPLlS5fME61bMmTPne4899pj7ggULVq9Zs+bVtS+8sO+lf3k67VfPhKczrzA/CUtf58L6Z++xQeanU2z8abhgE/PPMhEudSZMsJER3wkVbHCy/tmZrJsmLP35H4XuUXos+eW8x+ZHLJg/f6H4E/u8efPmzJ079/u0GnyBWeQs/18yd+68hRT0+aT7ew//g/Dh5x/989/YnyApxuVsjAAAAABJRU5ErkJggg==",
"name": "projectname2",
"plannedEndDate": "2012-05-23T00:00:00+01:00",
"plannedStartDate": "2012-05-23T00:00:00+01:00",
"projectStatus": {
"name": "Closed"
},
"realEndDate": "2012-05-23T00:00:00+01:00",
"realStartDate": "2012-05-23T00:00:00+01:00"
},
{
"abbreviation": "abc",
"customer": "customer1",
"description": "description3",
"icon": "iVBORw0KGgoAAAANSUhEUgAAADAAAAAwCAYAAABXAvmHAAAN4UlEQVR42u2ZeXBUx53Hx8FgSAIWMiB0jO7RLRkwbFxxnC1ntyp/JXbh9TrmirEDOpA4JQQ6kdCBDiQOU65UjNdO2djYGLCzKRJjY841SJoZzaEZaTSjc0b3hST0JCH5u79fa54YCZLUZteurQpTfKq7X/f0+35//et+b4RC8fDz8PPw8/Dz8PMP/ykoKFBkZmY+evLkyR9//PHHr545c2azC6/9BUQ/jd/w4Ycf/uLNN9+M3r179w8AKNzd3b878eXl5QoSoXjnnXd+ZjAYmjo7Oye6uromme7u7m+coKenR+YbF3jcWHt7+2B9fX3r1atXP3777befW7du3aOpqanfjYGysjJFY2Oj4uzZszt6e3sxOjoqGBu/i7sTE8QkJia/EdC/aeRr3D9+9y7Gx8cxPDyM2tpaO821JysrayHP/Z0YuH37tuLcuXO7+vr6vpEN9LZa4DBcQ5vxGjpqrqOz5ga6TIT5Brpd6K27hZGBboyNjU2bdzgcdy5duvS7N954I4Ru8ciWLVu+XQMDAwO8AjvZAEe+v7kG2pyfQLvTG7rdSuj3+MKQ4gdjqr+gJtUPpr2+MKcoUZushP10CkZHhoV4SZIENNeEXq+vvnDhwqFTp05tfPfdd1+gNP3l/5a33nrrudLS0sePHj2qyMvLu9/A+N0J9JmvonE/CUtdBHvWUtgLvGEv9Ye9PHCKEj/Y871gz1wCe/IP0fnbtZAG+yCRgZGREdy5c0fAKUVpOUkrIrW0tAw3NzcPNzU1DTGUtoKGhgaBzWYTWK3WIdpPAovFIqirqxNQeg5TUPo+++yzQ+vXr3/0yJEjD1qBcYwO38bA1++g90IG+r7MRd+1QvTdLEFfVRn6Kg+j7+ti9F7JR+/FAzQmG0OWa9PiZQMsfmhoSDA4OCigVAXdC/39/bxCbG76cOCDgg4E0CGCjo4O0MGAtrY2AQUAdrsdra2tAjosqnJycpbyKggDNOE9A5TLY2Pj4JVgeJPOwHmdU43HjRLS6NgDxcui/y+E0wqCVlCUZKA6Pz/fY4aBTz75ZIdsQJxCVPLJwsyuy5tVzvm/FnlZPCOLlw3I4mUDLF42MDvqsgGGDdCz654BmlgY4HyVhbEgnpQFsWguuc3XnZtU3FjOd44ei2LhLJZvykK5zuMo70U/X+M+bsvCKfdFm8WzaLPZLIRynfYHjEaj6Je5cuXKzBWgSYUBfjDJpwgLoQ0khIpjlW7Mbb7OJnhyvrEccdp0QhhHncfyTVkQpw1HkzafEMwmeB7ul9NGp9Px80OM50hXVFSANrOYjzYvbt68KYzQpp82MGMF2AC9FmynJZ2cfYrIdYaF8jXXHJdLOU1cc9013zldZue7a86zSTlt2IQMrwQLl2ED96UQ3UAY4NcHWeBf4kEni2ueP0j87M06Y8O2dwgcbR2wOziF2tBqd6Cl1Y7mFjuamjndWtDohNtXrl6vziso9ig/emKmAZp4UhYoR9s10rNPFtfTZfYp8zcj39FJEaco27RoMFyETfsH2NTnYdUwn8Kq/RT1DLUtdN1SdQ6WyrOCa+fLrJ8XRT9/rXShlzBAk/ML3XaaeFKOLIvhvGMR3GYR3JbF8nLzcsqiuU/euCyWc5dTg+vyxmxra0dHZxds1lqYbpyC+VQsDAXPQLc3DLo9wdDvVUGfFgFdZjQMB1fBWLCG+ldDn7sC+uyYqb4UFbSJ3ner4xZ1VOW4nxcGSDgbSKIlnZRToaenl25ah86ubtweHBYRM1G7p7cf/QODtJzNqLNY0dvXT9f6YK6tQ0Njk6i3d3TRpjVSGjjQ1d0jlr1apyeDzWgyfgHd71+DencQtBuWQP1v7qhcuxhVa92p/oSg8kV3VHH9pSWinG47qXh+0V3184/2aNLddMIACVd89NFHSRTVSRFRoqeLNpXlKhymz+EwX4Sj9gviS7RZLqGt/is4rFO02S4L7PWXYLd8ida6L9BC45tr/oxm45/QpPsjGivPoP7yCZg/SKBIrkL15uXQvLwM6r8LD1SsdRtXvzi3uyp78Z+EARKuOH36dBIt9SSnQ09PJ6x/PggDLaU+OYSWNgyGfREwpkXBmBEDY9YKGA+sQk3uatQc/CdiDYw5q2EkcYbMJ2FIpxTYHwl9aji9CIZAtz0A1XG+0P7aE5pXSPwrntOo/w4qXnQf17w8r6Mid/F7wgAJFwYohyc4hzvsFtSc+DmqN3nTMiud+EC7/h6a+/B24vPXoXnU651scELfm0Luc23P6qPxFS8tGdNsmG+/ledWLAyQcAX9LEyiM3eim3Lf0aiFvuhpVLGgTX4UOX9RVrJ4Z1u9wRdVbIzqDPdVbfSdMVZNba5zWbFuai6mar1yqp/7Nk318VyuY+Xv8nW5rXZ+v/Jlj1H15gUtX+e77RAGSLgwQKfKBG+6ZvNXtPNXQcPiXg2EdnOQKDW/DqD6VFvj2nbWNa8GTI0n1C5t7lNv8hdtjbNPtHmMs6521me3Z49lKn7lOare8v2G64fc/n36J+UHH3yQSOUEnzoNmrPQZ0Sj+nU6sv6nvBY8jeZbQUWr5z1aFf8D49Vit58JA/ROo6BfTYlUTrTTOW258Radt+Go3hIm0DpxrT+Y0Jn8JhSab4HKjcrRyqQfVlwucVshDNCLkzBA5QQ/1msvlkK3KxTq35CorRGojo0UpZpFxnI7Apqt4dNthsdqtoSLcVrqq+KbbZ1q83Vua6fbYfRdaseGC9RbeSy146gdR31bQ0SpjXdp81jup3tVbvYbq9i98Ksvy9yUwgC9HQoD9EY50UpPzZrz+1C9IxwVr5OouChUJ0RDQyYq2BC346NRRaIq5TZR+TobplWLjSKRkah8LUQI1sWR+dgwMqCCjgTpt5GIeEq1eHrybqfjeTsJ3xZER60Khp2h0O8MgSYxELodITBQELnUJAZBv4P7wqgMhyaeDOxf9J8X3ljsJgzQY1/x/vvvJ1I50dLSBD094nU7oqFNeJLEuxAfQyKIuBgSGi3QTRMFPRkxxBMJkTAmhKMmkUgKg4lEmkiIeVcIancTe1SoTVahLoUJRt1eIvUetfuc7FcJzPuYEJgEZCTZ725F1qJ3Pz2xeIEwQO/iwgCVE42NFuh+9zJ0iSR020roElaQaOZJ6Jk4J7ExMJARI61GTUIUTImRMCdFoHZ7OOooUnUUPQs9xOpJaD0JtZJIa2oQbPuI/YGwpQWiIZ3ICLhHJpE1hc2JNStQUJ8VRATDkqWCKV05UZH7+OET/7FkjjBgMpkU7733XqLZXDthq9Oi+tgvaKnpBSqBnqxM/EoSuxJGhszU0GqYtsWQ4CgSHEmCI1C/KxzWPWGwJYfClhKCBnoxa6QoNu4PQhOJbc4gSGBLlj9ashk/tB4gchhftOZO0XJQxg/NTpoO+gsac8lcbiAsB7wnK/IeT7dnLVLcZ6C+5jp0Rf8qhGu30GtBHL0yJDwlhBson2uTYmCh9KrjSFNe2vaEoyGFhZPYvUFoSQtGC0W2Oc0PdhLrILGOA76wZ/ugPVeJ9jwl2g56E15oz/dGewHV870E7YU+aCv0hj3fEw4qHdS2Ey00rrWQDBb6oaXAH9Y8r7Fb+W6xhly3WQZq6ybqqj+HLucZyuHVlNcrKNKrSPRKijRHPBLW3VFoSI4kQtFI+duapoI9I4jwR1uWHzpz/NFJEezM9UF3vg96CggS013oid4iL/QVc7kcPUUe6C1Zjt5SqhcvQ0+JB3qo3k3XOoo90FniSZCpYi84DnmirYjMFSnhKPKFrdB79Ov8J16sOrj0fgO1t87QQ+xpEruGIvwULDtXoX73CopwDEU4Cs37wtGaHgpHpgrt2UEkOADdtLw9+X7oLfBDP0VqgG5yu1iJ2yVKDJb6YPAw442hMq8pyj2J5YQHBo8wy3BbsBQDRH/5MvQRvWUe6C7zRNdhL3SWeqOjhFaM5rQd8hq6nrfs2Ru5HorpTUwGktiA8dJJGPf/CJZdq1G/5ynK55VoTI1BC71d2jPC0J4VQqKDSXQgiQ5AHy3pwCF/EuyPwRJ/DJX6Y/iwP+6U+WOknDjiD4k56kf4QjrG+BDeGDnmhZHjywkP3Dm+DMOCpRg8thS3iYGjZISM9ZLZHjLeRYHopIBYCpWdFzO9Ij7P9FIo+M9zly9fZgNxJtoD2j8chyl1DazJT9FGXEkRj6aIR1DEQ9FxQIWu3CD05AWS8AAMFJLoogAMlQRguDQAI4cDIZUFYbQ8GGNHVEQIxo+GTnGM6sdURBDGjwcQfhg7riS8MXrcExKZGCEDd8gAM3RsCQaP8orwalC6lVF60SqyAWNOkPmjXdE+Z5IjFYpHHnmE/8Y7JyUl5blz5z81/fH3x6Qvdv5Y+q9tMdLNpCjp1vYIqXJnuKTeFSpp94RIumSVpE9RSYa9wVJNarBk2qeSzPtVUm1aiFSXHirVZ4RJ1swIyZYZKTVkRUkN2TFSoyCa6tyOIMIkW3aIZM0OluqzA4kAyZLlL9Vl+UrmTF/JlKmUTBlKyUgY0pWSPt1Xqk7zk7T7/aVbe4PunI6NPLlS5fME61bMmTPne4899pj7ggULVq9Zs+bVtS+8sO+lf3k67VfPhKczrzA/CUtf58L6Z++xQeanU2z8abhgE/PPMhEudSZMsJER3wkVbHCy/tmZrJsmLP35H4XuUXos+eW8x+ZHLJg/f6H4E/u8efPmzJ079/u0GnyBWeQs/18yd+68hRT0+aT7ew//g/Dh5x/989/YnyApxuVsjAAAAABJRU5ErkJggg==",
"name": "projectname3",
"plannedEndDate": "2012-05-23T00:00:00+01:00",
"plannedStartDate": "2012-05-23T00:00:00+01:00",
"projectStatus": {
"name": "In Progress"
},
"realEndDate": "2012-05-23T00:00:00+01:00",
"realStartDate": "2012-05-23T00:00:00+01:00"
}
]
}
And in android side I deserialize the JSON response like this :
Gson gson = new Gson();
final ProjectContainer container = gson.fromJson(resultat, ProjectContainer.class);
final ListView lv = (ListView) findViewById(R.id.list);
adaptateur = new ProjectAdapter(ProjectActivity.this, R.layout.ligne_project, container);
lv.setAdapter(adaptateur);
This is my ProjectContainer class :
public class ProjectContainer {
#SerializedName("project")
List<Project> projects ;
public List<Project> getProjects() {
return projects;
}
public void setProjects(List<Project> projects) {
this.projects = projects;
}
}
I would greatly appreciate your help to solve this problem. Thanks in advance
Your issue results really weird for me... it seems that there must be some problem with Jersey's JSON serialization of single element arrays... if you Google "Jersey JSON single element arrays" you'll find the same issue, like here or here. I don't know too much about Jersey, so I can't help you with that...
That said, I can suggest a workaround using manually parsing in Gson, to adapt your parsing to the 2 different responses (object or array). You could do something like this:
//manually parsing until get the "project" element...
JsonParser parser = new JsonParser();
JsonObject rootObejct = parser.parse(yourJsonString).getAsJsonObject();
JsonElement projectElement = rootObejct.get("project");
Gson gson = new Gson();
List<Project> projectList = new ArrayList<>();
//Check if "project" element is an array or an object and parse accordingly...
if (projectElement.isJsonObject()) {
//The returned list has only 1 element
Project project = gson.fromJson(projectElement, Project.class);
projectList.add(project);
}
else if (projectElement.isJsonArray()) {
//The returned list has >1 elements
Type projectListType = new TypeToken<List<Project>>() {}.getType();
projectList = gson.fromJson(projectElement, projectListType);
}
//Now you have a List<Project> projectList with one or many Project elements,
//depending on the response...
Note that you don't need your class ProjectContainer.
Something like this should work for you, although obviously the best thing would be fix the serialization issue!
Basically, your web service is broken in terms of how it's replying. If there's only one object for project it's returning only an object instead of an array.
MikO's answer solves the problem but another approach is encapsulating that logic in a custom deserializer:
class MyDeserializer implements JsonDeserializer<ProjectContainer> {
#Override
public ProjectContainer deserialize(JsonElement je, Type type, JsonDeserializationContext jdc) throws JsonParseException {
JsonObject jo = je.getAsJsonObject().getAsJsonObject("project");
if (jo.isJsonArray()) {
return new Gson().fromJson(je, ProjectContainer.class);
} else {
Project p = jdc.deserialize(jo, Project.class);
List<Project> pList = new ArrayList<Project>(1);
pList.add(p);
ProjectContainer pc = new ProjectContainer();
pc.setProjects(pList);
return pc;
}
}
}
Then you can use:
Gson gson = new GsonBuilder()
.registerTypeAdapter(ProjectContainer.class, new MyDeserializer())
.build();
ProjectContainer pContainer = gson.fromJson(myJson, ProjectContainer.class);
I ended up using Jackson library instead of gson to parse the json response. It automatically converts object into ArrayList. It is pretty much similar to gson in terms of ease of use. Hope it helps!