This is my api
{}JSON
[]products
{}0
product-name : "Fiting"
product-id : "1"
product-description : "Door"
product-image : "https://image/logo.jpg"
product-categoryid : "2"
category-name : "Furniture"
{}1
product-name : "Bathroom"
product-id : "2"
product-description : "Services"
product-image : "https://image/logo.jpg"
product-categoryid : "1"
category-name : "Plumber"
subcategory-id : "1"
subcategory-name : "Bathroom"
subCategoryDetailModelClass.setSubCategoryId(productObject.getInt("subcategory-id"));
subCategoryDetailModelClass.setSubCategoryName(productObject.getString("subcategory-name"));
i cannot add subcategory-id,subcategory-name in my arraylist since it is not available at 0th position.....so how to check condition that if in api subcategory-id,subcategory-name is not available add other items in the list
StringRequest stringRequest = new StringRequest(Request.Method.GET,URLs.productURL,
new Response.Listener<String>() {
#Override
public void onResponse(String response) {
Log.d("zsded", response.toString());
try {
JSONObject obj = new JSONObject(response);
JSONArray productArray = obj.getJSONArray("products");
//now looping through all the elements of the json array
for (int i = 0; i < productArray.length(); i++) {
JSONObject productObject = productArray.getJSONObject(i);
SubCategoryDetailModelClass subCategoryDetailModelClass = new SubCategoryDetailModelClass();
// if(productObject.getInt("subcategory-id"))
subCategoryDetailModelClass.setProduct_name(productObject.getString("product-name"));
subCategoryDetailModelClass.setProduct_id(productObject.getInt("product-id"));
subCategoryDetailModelClass.setProduct_desc(productObject.getString("product-description"));
subCategoryDetailModelClass.setProduct_imgURL(productObject.getString("product-image"));
subCategoryDetailModelClass.setProduct_CategoryId(productObject.getInt("product-categoryid"));
subCategoryDetailModelClass.setProduct_Category_Name(productObject.getString("category-name"));
subCategoryDetailModelClass.setSubCategoryId(productObject.getInt("subcategory-id"));
subCategoryDetailModelClass.setSubCategoryName(productObject.getString("subcategory-name"));
subCategoryListDetailModelClassArray.add(subCategoryDetailModelClass);
Log.d("subcatdetail", String.valueOf(subCategoryDetailModelClass));
}
Use this class
public class JSONHelper {
public static String getString(JSONObject json, String tag) throws JSONException {
if(mJSONValueAvailable(json, tag)) {
return json.getString(tag);
}
return "";
}
public static int getInt(JSONObject json, String tag) throws JSONException {
if(mJSONValueAvailable(json, tag)) {
if(json.get(tag) instanceof String) {
if(json.getString(tag).equalsIgnoreCase("None")) {
return -1;
}
if(!json.getString(tag).equals("")) {
return Integer.parseInt(json.getString(tag));
} else {
return -1;
}
}
return json.getInt(tag);
}
return -1;
}
public static boolean getBoolean(JSONObject json, String tag) throws JSONException {
if(mJSONValueAvailable(json, tag)) {
Object value = json.get(tag);
if(value instanceof String) {
return PrimitiveHelper.StringToBoolean((String) value);
} else if (value instanceof Integer) {
return PrimitiveHelper.IntegerToBoolean((int)value);
}
return json.getBoolean(tag);
}
return false;
}
public static Boolean getBooleanBoxed(JSONObject json, String tag) throws JSONException {
if(mJSONValueAvailable(json, tag)) {
Object value = json.get(tag);
if(value instanceof String) {
return PrimitiveHelper.StringToBooleanBoxed((String) value);
} else if (value instanceof Integer) {
return PrimitiveHelper.IntegerToBooleanBoxed((int) value);
}
return json.getBoolean(tag);
}
return null;//false;
}
private static boolean mJSONValueAvailable(JSONObject json, String tag) {
return json.has(tag) && !json.isNull(tag);
}
// private static Boolean mJSONValueAvailableBoxed(JSONObject json, String tag) {
// return json.has(tag) && !json.isNull(tag);//
// }
public static JSONArray sortJsonArray(JSONArray array, String sort) {
final String sortKey = sort;
//Logger.d("sortJSONArray by::: " + sortKey);
List<JSONObject> jsons = new ArrayList<JSONObject>();
try {
for (int i = 0; i < array.length(); i++) {
jsons.add(array.getJSONObject(i));
}
Collections.sort(jsons, new Comparator<JSONObject>() {
#Override
public int compare(JSONObject lhs, JSONObject rhs) {
try {
String lid = lhs.getString(sortKey);
String rid = rhs.getString(sortKey);
// Here you could parse string id to integer and then compare.
return lid.compareTo(rid);
} catch (JSONException e) {
e.printStackTrace();
}
return 0;
}
});
} catch (JSONException e) {
e.printStackTrace();
}
return new JSONArray(jsons);
}
}
Call this as follows
subCategoryDetailModelClass.setProduct_name(JSONHelper.getString(productObject, "product-name"));
subCategoryDetailModelClass.setProduct_id(JSONHelper.getInt(productObject,"product-id"));
subCategoryDetailModelClass.setProduct_desc(JSONHelper.getString(productObject, "product-description"));
subCategoryDetailModelClass.setProduct_imgURL(JSONHelper.getString(productObject, "product-image"));
subCategoryDetailModelClass.setProduct_CategoryId(JSONHelper.getInt(productObject,"product-categoryid"));
subCategoryDetailModelClass.setProduct_Category_Name(JSONHelper.getString(productObject, "category-name"));
subCategoryDetailModelClass.setSubCategoryId(JSONHelper.getInt(productObject, "subcategory-id"));
subCategoryDetailModelClass.setSubCategoryName(JSONHelper.getString(productObject,"subcategory-name"));
subCategoryListDetailModelClassArray.add(subCategoryDetailModelClass);
Use Opt methods, For e.g.
optInt(String name, int fallback)
Returns the value mapped by name if it exists and is an int or can be
coerced to an int, or fallback otherwise.
There are optMethods for mostly primitive datatypes, check here
This was the closest question that I found but still not what I'm looking for.
I'm using google Firestore to save user information (number, sex, etc). I use a JSON custom object to save, but when I'm trying to get the information I'm not able to transform in JSON object again.
private void getUserData() {
ffDatabase.collection(Objects.requireNonNull(mAuth.getCurrentUser()).getUid()).get()
.addOnCompleteListener(new OnCompleteListener<QuerySnapshot>() {
#Override
public void onComplete(#NonNull Task<QuerySnapshot> task) {
if (task.isSuccessful()) {
JSONObject user = new JSONObject(task.getResult()
.toObjects(JSONObject.class).get(0));
DataStorageTemporary.getInstance().setJsonUser(user);
} else {
Log.w("ERROR load data", "Error getting documents.", task.getException());
}
}
});
}
I tried to get from Task(result) the JSON object, but it won't work:
task.getResult().toObjects(JSONObject.class).get(0)
I know that I can change QuerySnapshot to DocumentSnapshot, but I still no able to get the JSON Object from.
You would need to create a custom User Class and then write to firestore using that POJO as #Doug Stevenson says. see the following from the docs:
"Custom objects Using Java Map objects to represent your documents is often not very convenient, so Cloud Firestore also supports writing your own Java objects with custom classes. Cloud Firestore will internally convert the objects to supported data types."
Firestore doesn't store JSON. It stores key/value pairs with strongly typed values. When you read a document on Android, you have two choices to get a hold of those fields:
Automatically map the key/value pairs to a POJO that conforms to JavaBeans standards. JSONObject is not a valid JavaBean type object.
Access each key/value pair out of the document individually.
ApiFuture<QuerySnapshot> future = db.collection(collection).get();
List<QueryDocumentSnapshot> documents = future.get().getDocuments();
Iterate through the DocumentSnapshots and use recursion to create a JSONObject.
You can use getData() on DocumentSnapshot object to get a Map of your Firestore Document and then you can parse the object and create your own JSONObject.
for (DocumentSnapshot document : documents) {
JSONObject obj = mapToJSON(document.getData());
// Other stuff here ...
}
private JSONObject mapToJSON(Map<String, Object> map) {
JSONObject obj = new JSONObject();
for (Map.Entry<String, Object> entry : map.entrySet()) {
String key = entry.getKey();
Object value = entry.getValue();
if (value instanceof Map) {
Map<String, Object> subMap = (Map<String, Object>) value;
obj.put(key, mapToJSON(subMap));
} else if (value instanceof List) {
obj.put(key, listToJSONArray((List) value));
}
else {
obj.put(key, value);
}
}
return obj;
}
private JSONArray listToJSONArray(List<Object> list) {
JSONArray arr = new JSONArray();
for(Object obj: list) {
if (obj instanceof Map) {
arr.add(mapToJSON((Map) obj));
}
else if(obj instanceof List) {
arr.add(listToJSONArray((List) obj));
}
else {
arr.add(obj);
}
}
return arr;
}
I took #atmandhol's solution as a starting point but used the JsonObjectBuilder. I also converted the chars-string-valueType structure of Firestore back to a single JsonStructure.
Use it as inspiration (not a full-proof solution). E.g. more valueTypes than "STRING" need to be added.
private JsonObject mapToJSON(Map<String, Object> map) {
JsonObjectBuilder builder = Json.createObjectBuilder();
for (Map.Entry<String, Object> entry : map.entrySet()) {
String key = entry.getKey();
Object value = entry.getValue();
if ( isSingleElement(value) ) {
builder.add(key, getSingleValueAsString(((Map) value)));
} else if (value instanceof Map) {
Map<String, Object> subMap = (Map<String, Object>) value;
builder.add(key, mapToJSON(subMap));
} else if (value instanceof List) {
builder.add(key, listToJSONArray((List<Object>) value));
}
else {
builder.add(key, value.toString());
}
}
return builder.build();
}
private String getSingleValueAsString(Map value) {
if( value.get("valueType").equals("STRING") ) {
return value.get("string").toString();
}
return "";
}
private boolean isSingleElement(Object value) {
return ( value instanceof Map
&& ((Map) value).containsKey("valueType"));
}
private JsonArray listToJSONArray(List<Object> list) {
JsonArrayBuilder builder = Json.createArrayBuilder();
for(Object value: list) {
if ( isSingleElement(value) ) {
builder.add(getSingleValueAsString(((Map) value)));
} else if (value instanceof Map) {
builder.add(mapToJSON((Map<String, Object>) value));
}
else if(value instanceof List) {
builder.add(listToJSONArray((List<Object>) value));
}
else {
builder.add(value.toString());
}
}
return builder.build();
}
I want to save the ArrayList thatt is formed using getter and setter when I run my AsyncTask first time. It fetches json data and I uses that via getter and setter.
Now I have three sorting buttons. I want when first time date is populated it gets stored and I can apply sorting on array list and pass that sorted list to post execute.
What I did - used a boolen var to know if it's first run and modify it accordingly. I globally defined my array list and model.
Following is doInBackground()
protected List<service_detail_model> doInBackground(String... strings) {
serviceModelList = new ArrayList<>();
if (!dataSet) {
dataSet=true;
ServiceURL = ServiceURL + "type=" + type + "&city=" + city + "&orderby=" + orderby + "&origin=" + origin;
HttpHandler sh = new HttpHandler();
String jsonStr = sh.makeServiceCall(ServiceURL);
Log.e("kkkk", jsonStr);
if (jsonStr != null) {
try {
JSONArray listArray = new JSONArray(jsonStr);
for (int i = 0; i < listArray.length(); i++) {
JSONObject serviceObject = listArray.getJSONObject(i);
serviceModel = new service_detail_model();
serviceModel.setName(serviceObject.getString("name"));
serviceModel.setPhone(serviceObject.getString("phone"));
serviceModel.setImage(serviceObject.getString("img"));
serviceModel.setPer(serviceObject.getString("per"));
serviceModel.setPrice(serviceObject.getInt("price"));
serviceModel.setRating(serviceObject.getInt("rating"));
serviceModel.setDist(serviceObject.getInt("dist"));
serviceModelList.add(serviceModel);
}
} catch (JSONException e) {
e.printStackTrace();
}
}
}
else{
if (orderby.equals("location")) {
Log.e("ll", String.valueOf(serviceModelList.get(0).getDist()));
Collections.sort(serviceModelList, new Comparator<service_detail_model>() {
#Override
public int compare(service_detail_model o1, service_detail_model o2) {
return o1.getDist() - o2.getDist();
}
});
}
else if (orderby.equals("price")) {
Collections.sort(serviceModelList, new Comparator<service_detail_model>() {
#Override
public int compare(service_detail_model o1, service_detail_model o2) {
return o1.getPrice() - o2.getPrice();
}
});
}
else if (orderby.equals("rating")) {
Collections.sort(serviceModelList, new Comparator<service_detail_model>() {
#Override
public int compare(service_detail_model o1, service_detail_model o2) {
return (int) (o1.getRating()*100 - o2.getRating()*100);
}
});
}
}
return serviceModelList;
}
When I did debugging I found that list size is 0.
I use Parse in android. I am trying to check if an array contain an value (ObjectId).
private void getCurrentObject() {
query = ParseQuery.getQuery("Group");
query.getInBackground(objectid, new GetCallback<ParseObject>() {
public void done(ParseObject object, ParseException e) {
object = all;
if (e == null) {
if (userexists(object.getJSONArray("members_array"), currentUser.getObjectId())) {
Toast.makeText(GroupActivity.this, "isDo", Toast.LENGTH_SHORT).show();
} else {
Toast.makeText(GroupActivity.this, "isNot", Toast.LENGTH_SHORT).show();
}
}
}
});
}
private boolean userexists(JSONArray jsonArray, String usernameToFind) {
return jsonArray.toString().contains(usernameToFind);
}
While run the app i got this error
"java.lang.NullPointerException: Attempt to invoke virtual method
'org.json.JSONArray
com.parse.ParseObject.getJSONArray(java.lang.String)' on a null object
reference
Remove this line
object = all;
Or, you probably meant all = object
Then, you need to loop over the JSONArray, not toString it.
private boolean userexists(JSONArray jsonArray, String usernameToFind) {
if (jsonArray == null) return false;
for (int i = 0; i < jsonArray.length(); i++) {
String s = jsonArray.optString(i, "");
if (s.equals(usernameToFind)) return true;
}
return false;
}
Using this method
String optString(int index, String fallback)
Returns the value at
index if it exists, coercing it if necessary.
I am using GSON in my android app. Currently, I am setting a method that contains a value from my JSON string called "followed". One of items in the JSON string contains followed and the second string does not. I use Realm to persist the unique object so as you can see it just gets overwritten.
Here are 2 json strings to compare as an example:
{"customer_case":"OFFICE001","circle_id":"3","address":"10 Canal St","city":"Bristol","state":"PA","zip":"19007","county":"Bucks County","apt_no":"","latitude":"40.1012666","longitude":"-74.855304","profile_picture":"uploads/thumbnails/2014/06/07/16/1402165202_3_16_539356ad9134b3.jpg","id":"539356ad9134b3","google_address":"10 Canal Street","google_city":"Bristol","google_state":"Pennsylvania","verified_zip":"19007","google_county":"Bucks County","status":"Active","add_date":"2014-06-07","circle_name":"Test Portfolio","step":"Rental","loan":"","winterized":null,"boiler":null,"sump_pump":null,"septic":null,"police_id":null,"police":null,"police_phone":null,"electric_id":null,"electric":null,"electric_phone":null,"sewer_id":null,"sewer":null,"sewer_phone":null,"water_id":null,"water":null,"water_phone":null,"fsm_company_id":"5","fsm_company":"Assero Services LLC - FSM","fsm_email":"leemertins#assero24.com","fsm_phone":"2155868317","hoa_id":null,"hoa":null,"hoa_email":null,"hoa_phone":null,"client_id":"9","client":"Test Client","client_email":"krishna162#gmail.com","client_phone":"2157830782","broker_contact_id":null,"broker":null,"broker_email":null,"broker_phone":null,"lawn_contractor":null,"cleaning_contractor":null,"bedroom":null,"bathroom":null,"sqft":null,"lot_size":null,"list_price":"538525","built":null,"assign_date":"06/07/2014","lock_box":null,"gate_code":null,"key_code":null,"property_type":"Unknown","description":null,"sub_status":null,"occupancy_status":null,"street_view":"uploads/2015/06/25/4036/0470e4cd-ce9d-4439-8031-6be5101cd09c.JPG","marketing_front":"uploads/2015/06/25/4036/b099a190-f354-454a-8479-bec67bc41988.JPG","followed":"1"}
{"customer_case":"OFFICE001","circle_id":"3","address":"10 Canal St","city":"Bristol","state":"PA","zip":"19007","county":"Bucks County","apt_no":"","latitude":"40.1012666","longitude":"-74.855304","profile_picture":"uploads/thumbnails/2014/06/07/16/1402165202_3_16_539356ad9134b3.jpg","id":"539356ad9134b3","google_address":"10 Canal Street","google_city":"Bristol","google_state":"Pennsylvania","verified_zip":"19007","google_county":"Bucks County","status":"Active","add_date":"2014-06-07","circle_name":"Test Portfolio","step":"Rental","loan":"","winterized":null,"boiler":null,"sump_pump":null,"septic":null,"police_id":null,"police":null,"police_phone":null,"electric_id":null,"electric":null,"electric_phone":null,"sewer_id":null,"sewer":null,"sewer_phone":null,"water_id":null,"water":null,"water_phone":null,"fsm_company_id":"5","fsm_company":"Assero Services LLC - FSM","fsm_email":"leemertins#assero24.com","fsm_phone":"2155868317","hoa_id":null,"hoa":null,"hoa_email":null,"hoa_phone":null,"client_id":"9","client":"Test Client","client_email":"krishna162#gmail.com","client_phone":"2157830782","broker_contact_id":null,"broker":null,"broker_email":null,"broker_phone":null,"lawn_contractor":null,"cleaning_contractor":null,"bedroom":null,"bathroom":null,"sqft":null,"lot_size":null,"list_price":"538525","built":null,"assign_date":"06/07/2014","lock_box":null,"gate_code":null,"key_code":null,"property_type":"Unknown","description":null,"sub_status":null,"occupancy_status":null,"street_view":"uploads/2015/06/25/4036/0470e4cd-ce9d-4439-8031-6be5101cd09c.JPG","marketing_front":"uploads/2015/06/25/4036/b099a190-f354-454a-8479-bec67bc41988.JPG"}
Note the difference is the followed item at the end of the json string.
From the GSON documentation it says:
"While deserialization, a missing entry in JSON results in setting the corresponding field in the object to null."
Is there a way to override this and not automatically set it to null, instead just skip the field?
Here is some code that I am using to deserialize my json:
PropertyObject prop = visnetawrap.gsonClient.fromJson(properties.get(i).toString(), PropertyObject.class);
visnetawrap.gsonClient = new GsonBuilder()
.setExclusionStrategies(new ExclusionStrategy() {
#Override
public boolean shouldSkipField(FieldAttributes f) {
return f.getDeclaringClass().equals(RealmObject.class) || f.getDeclaredClass().equals(Drawable.class);
}
#Override
public boolean shouldSkipClass(Class<?> clazz) {
return false;
}
})
.registerTypeAdapter(Date.class, new GsonDateDeserializer())
.registerTypeAdapter(Double.class, new TypeAdapter<Double>() {
#Override
public void write(JsonWriter out, Double value) throws IOException {
if (value == null) {
out.nullValue();
return;
}
out.value(value);
}
#Override
public Double read(JsonReader in) throws IOException {
if (in.peek() == JsonToken.NULL) {
in.nextNull();
return null;
}
String stringValue = in.nextString();
try {
return Double.valueOf(stringValue);
} catch (NumberFormatException e) {
return null;
}
}
})
.create();
Here is what I am doing as a work around:
.registerTypeAdapter(PropertyObject.class, new JsonDeserializer<PropertyObject>() {
#Override
public PropertyObject deserialize(JsonElement json, Type typeOfT, JsonDeserializationContext context) throws JsonParseException {
PropertyObject prop = new PropertyObject();
JsonObject propObj = json.getAsJsonObject();
if (propObj.get("id") == null) {
return null;
}
prop.setPropertyId(propObj.get("id").getAsString());
if (propObj.get("followed") == null) {
Realm realmThread = Realm.getDefaultInstance();
PropertyObject existingProp = realmThread.where(PropertyObject.class).equalTo("propertyId", propObj.get("id").getAsString()).findFirst();
if (existingProp == null) {
prop.setPropertyFollowed(0);
}
else {
prop.setPropertyFollowed(existingProp.getPropertyFollowed());
}
realmThread.close();
}
else {
prop.setPropertyFollowed(propObj.get("followed").getAsInt());
}
return prop;
}
})
you may create your own TypeAdapter
public class YourTypeAdapter extends TypeAdapter<PropertyObject> {
#Override
public PropertyObject read(final JsonReader in) throws IOException {
final PropertyObject obj = new PropertyObject(); //I don't know how is your obj
in.beginObject();
boolean hasFollowedField = false;
while (in.hasNext()) {
switch (in.nextName()) {
case "gate_code":
//set value to your obj
obj.setValue(in.nextString())
break;
//do same thing to others...
//...
case "followed":
hasFollowedField = true;
//set value to obj
break;
}
if (!hasFollowedField) {
//set followed value to obj what you want
}
}
in.endObject();
return obj;
}
#Override
public void write(final JsonWriter out, final PropertyObject obj) throws IOException {
out.beginObject();
out.name("gate_code").value(gate_code.getGateCode());
//simple set name and value from obj to JsonWriter
out.endObject();
}
}
and then register the TypeAdapter to your GsonBuilder obj
hope it would help