Here’s a Java code example to search the datastore for all entities within a kind older than a given date.
The variable kind is the entity kind being searched, add_date is a property on each entity that is set to the date the entity was created, and entities is a java.util.List object containing the returned entities. The variable time_point represents a point in time; we query the datastore for all entities with a date less than that.
/**
* Retrieve all entities older than a set amount of time.
*/
Query q = new Query(kind);
//Represents a point in time 48 hours ago.
Date time_point = new Date((new Date().getTime()) - (1000 * 60 * 60 * 48));
Query.Filter time_point_filter = new Query.FilterPredicate("add_date", Query.FilterOperator.LESS_THAN_OR_EQUAL, time_point);
q.setFilter(time_point_filter);
PreparedQuery pq = DatastoreServiceFactory.getDatastoreService().prepare(q);
List<Entity> entities = pq.asList(FetchOptions.Builder.withLimit(30));
System.out.println(entities.size() + " entities returned.");
Suppose you wanted to loop through all of the returned entities. Here’s an example:
//Loop through all entities
for (int i = 0; i < entities.size(); i++) {
Entity entity = entities.get(i);
System.out.println("Entity: " + entity.toString());
//Do something with the entity variable.
}//end loop going through all entities