- 
                Notifications
    You must be signed in to change notification settings 
- Fork 6.3k
Troubleshooting Common Issues with Parse
This guide is about troubleshooting common Parse issues that people encounter.
Can't save object, I get "com.parse.ParseException: object not found for update"
This is usually an ACL Error which can be fixed by reviewing this post, this one and also this post.
Can't construct query based on an associated object
If your data model has association pointer of other object, parse requires us to pass the associated object and not the object's id. For example, Post(ParseObject) has a Author(ParseObject) relationship and author attribute is ParsePointer. If you have author object id "yiadffao89" and want to find all posts by an author:
new ParseQuery("Post")
    .whereEqualTo("author",  ParseObject.createWithoutData(Author.class, "yiadffao89 "))
    .find();Compound equality constraints are seemingly ignored!
Rather than checking for multiple equality values, we need to instead use the whereNotContainedIn condition to include all equality conditions within a single compound condition.
// FAILS
ParseQuery = ParseQuery.getQuery(Sample.class);
query.whereNotEqualTo("key", "valueA");
query.whereNotEqualTo("key", "valueB");
// WORKS
query.whereNotContainedIn("key", ImmutableList.of("valueA", "valueB"));Parse LoginUI library’s sample projects are using Gradle and will not work with Eclipse.
Steps to import ParseUI into Eclipse:
- Create a new Eclipse project without any activity. (In wizard don’t select main activity).
- Copy following from sample project to newly created eclipse project.
- AndroidManifest.xml
- 
srcdirectory
- 
resdirectory
- Update strings.xmlwith your parse/facebook/twitter keys.
 
- Clean and rebuild newly created eclipse project.
- Run project
Parse has quirks. Several are outlined below.
A common use case that comes up is trying to extend the ParseUser class to create your own custom ParseUser subclass. This causes issues with Parse and is not recommended. Instead you can explore using a delegate pattern like this instead:
public class CustomUser {
  private ParseUser user;
  void CustomUser(ParseUser obj) {
    user = obj;
  }
  void setSomeField(int someField) {
    user.put("some_field", 56);
    user.saveInBackground();
  }
  Date getCreatedAt() {
    return user.getCreatedAt();
  }
}While this isn't as convenient, it works more reliably.
In certain cases, you may find yourself subclassing a Parse subclass to try to follow a single type inheritance pattern with parse. For example:
@ParseClassName("Stove")
public class Stove extends ParseObject {
   // ...
}
@ParseClassName("ElectricStove")
public class ElectricStove extends Stove {
  public ElectricStove() {
  }
  public ElectricStove(String url, String brandName) {
     super(url, brandName);
  }
    // ...
}This doesn't appear to be possible at this point as Parse Android SDK does not support this. Rather, we can use an identifier to specify what type of "Stove" a particular stove object is. Refer to this stackoverflow example for specifics.
Often with Android development, you need to pass an object from one Activity to another. This is done using the Intent system and passing objects as extras within a bundle. Unfortunately, ParseObject does not currently implement Parcelable or Serializable. See the available workarounds here.
In certain cases, there are many objects that need to be created and saved at once. In this case, we can use batch inserts to significantly speed up posting objects to parse with the saveAllInBackground static method on ParseObject:
List<ParseObject> objList = new ArrayList<ParseObject>();
// Add new ParseObject instances to the list
objList.add(...);
// Save all created ParseObject instances at once
ParseObject.saveAllInBackground(objList, new SaveCallback() {
   @Override
   public void done(ParseException e) {
       if (e == null) {
           Toast.makeText(getApplicationContext(), "saved", Toast.LENGTH_LONG).show();
       } else {
           Toast.makeText(getApplicationContext(), e.getMessage().toString(), Toast.LENGTH_LONG).show();
       }
   }
});Avoid ever calling save on multiple ParseObject instances in quick succession.
It looks like public read access to data is necessary for local datastore to work. Local datastore returned no results when role-specific read access was setup.
Even though it may not be apparent from Parse documentation, caching and pinning are different concepts. Mixing the two results in an exception like so:
Caused by: java.lang.IllegalStateException: Method not allowed when Pinning is enabled.
            at com.parse.ParseQuery.checkPinningEnabled(ParseQuery.java:595)
            at com.parse.ParseQuery.setCachePolicy(ParseQuery.java:610)
With caching, hasCachedResult() determines whether a specific result is in the cache.
But there doesn't seem to be a way to determine if a set of objects has been pinned.
Let's say you want your app to work completely offline. That is, when it launches for the first time, it checks if there is data in the local datastore. The app works with the local data if it is available, otherwise it fetches data from the remote store and pins it locally. When creating new data, the app pins it to the local datastore as well as persists it remotely (based on network availability). To refresh the local cache, the app provides a pull-to-refresh or some similar mechanism.
Note: The default Parse functionality removes the locally pinned data after syncing local changes.
// Fetch from local. If not found, fetch from remote
progressBarVisible();
query.fromPin(pinName);
query.findInBackground(...) {
   // inside success callback
   if (no results found) {
      fetchRemoteData();
   } else {
      // add data to adapter
      progressBarInvisible();
   }
});
// Fetch from remote and replace local pin
fetchRemoteData() {
   newQuery.findInBackground(...) {
      // inside success callback
      // add data to adapter
      progressBarInvisible();
      unpinAndRepin(data);
   });
}
// Unpin old data and pin new data to local datastore
unpinAndRepin(data) {
   ParseObject.unpinAllInBackground(pinName, data, new DeleteCallback() { ... });
   // Add the latest results for this query to the cache.
   ParseObject.pinAllInBackground(pinName, data);
}// First pin locally
onSubmit(data) {
   progressBarVisible();
   pinDataLocally(data);
}
// After local pinning is successful, try to persist remotely.
pinDataLocally(data) {
   setProperACL();
   data.pinInBackground(data, new SaveCallback() {
      // inside success callback
      persistDataRemotely();
      progressBarInvisible();
   }
}
persistDataRemotely(data) {
   data.saveEventually(...) { ... }
}Parse takes its access control lists very seriously--every object has public read and owner-only write access by default. If you have multiple users adding data to your Parse application and they are not all part of the same role, it's possible that data created by one user cannot be modified by another. The error message is rather cryptic:
exception: com.parse.ParseException: object not found for update
Review related threads here, here and also here.
Note: It may not be possible to fix the ACLs manually for all rows in Parse DB and they keep reverting to their original values.
As a one-time operation, fix your ACLs.
// Define a new role with desired read and write access.
final ParseACL roleACL = new ParseACL();
roleACL.setPublicReadAccess(true);
final ParseRole role = new ParseRole("Engineer", roleACL);
 
// Add users to this role.
final ParseQuery<ParseUser> userQuery = ParseUser.getQuery();
userQuery.findInBackground(new FindCallback<ParseUser>() {
   @Override
   public void done(List<ParseUser> parseUsers, ParseException e) {
      if (e == null) {
         for (final ParseUser user : parseUsers) {
            role.getUsers().add(user);
         }
 
         role.saveInBackground(new SaveCallback() {
            @Override
            public void done(ParseException e) {
               if (e == null) {
                  Log.d("debug", "Saved role " + role.getName());
               } else {
                  Log.d("debug", "Couldn't save role " + e.toString());
               }
            }
         });
      } else {
         Log.d("debug", "Couldn't get users " + e.toString());
      }
   }
});// Set ACLs on the data based on the role.
final ParseQuery<ParseObject> query = ...
final ParseACL roleACL = new ParseACL();
roleACL.setPublicReadAccess(true);
roleACL.setRoleReadAccess("Engineer", true);
roleACL.setRoleWriteAccess("Engineer", true);
query.findInBackground(new FindCallback<ParseObject>() {
   @Override
   public void done(List<ParseObject> parseObjects, ParseException e) {
      for (ParseObject obj : parseObjects) {
         final MyObj myObj = (MyObj) obj;
         myObj.setACL(roleACL);
         myObj.saveInBackground(...) { }
});For every new object accessible by this role, be sure to set the ACL too.
final ParseACL roleACL = new ParseACL();
roleACL.setPublicReadAccess(true);
roleACL.setRoleReadAccess("Engineer", true);
roleACL.setRoleWriteAccess("Engineer", true);
myObj.setACL(reportACL);Created by CodePath with much help from the community. Contributed content licensed under cc-wiki with attribution required. You are free to remix and reuse, as long as you attribute and use a similar license.
Finding these guides helpful?
We need help from the broader community to improve these guides, add new topics and keep the topics up-to-date. See our contribution guidelines here and our topic issues list for great ways to help out.
Check these same guides through our standalone viewer for a better browsing experience and an improved search. Follow us on twitter @codepath for access to more useful Android development resources.