Core Data - How to fetch an entity with max value property

24,076

Solution 1

You set the fetchLimit to 1 and sort by personId in descending order. E.g.:

NSFetchRequest *fetchRequest = [[NSFetchRequest alloc] initWithEntityName:@"Person"];

fetchRequest.fetchLimit = 1;
fetchRequest.sortDescriptors = @[[NSSortDescriptor sortDescriptorWithKey:@"personId" ascending:NO]];

NSError *error = nil;

id person = [managedObjectContext executeFetchRequest:fetchRequest error:&error].firstObject;

Solution 2

You need to use a NSFetchRequest with a NSPredicate to specify your query...

Adapted from Apple's Predicate Progamming Guide :

NSFetchRequest *request = [[[NSFetchRequest alloc] init] autorelease];
NSEntityDescription *entity = [NSEntityDescription entityForName:@"Person"
    inManagedObjectContext:managedObjectContext];
[request setEntity:entity];

request.predicate = [NSPredicate predicateWithFormat:@"personId==max(personId)"];
request.sortDescriptors = [NSArray array];

NSError *error = nil;
NSArray *array = [managedObjectContext executeFetchRequest:request error:&error];

Solution 3

The recommended way is to use Apple Recommended Method NSExpression. I would expect that this would be less expensive than using a sort.If you think about it, with a sort you would have to take all the records sort them and keep the maximum one. With an expression you would just have to read through the list and keep in memory the maximum.

Here is an example I use with NSDate

- (NSDate *)lastSync:(PHAssetMediaType)mediaType {
    NSEntityDescription *entity = [NSEntityDescription  entityForName:kMediaItemEntity inManagedObjectContext:self.managedObjectContext];

    NSFetchRequest *fetchRequest = [[NSFetchRequest alloc] init];
    fetchRequest.entity = entity;
    fetchRequest.resultType = NSDictionaryResultType;

    NSMutableArray *predicates = [NSMutableArray array];
    [predicates addObject:[NSPredicate predicateWithFormat:@"%K=%d", kMediaType,mediaType]];
    [predicates addObject:[NSPredicate predicateWithFormat:@"%K=%d", kMediaProviderType,self.mediaProviderType]];
    NSPredicate *predicate = [NSCompoundPredicate andPredicateWithSubpredicates: predicates];
    fetchRequest.predicate = predicate;

    // Create an expression for the key path.

    NSExpression *keyPathExpression = [NSExpression expressionForKeyPath:kSyncTime];
    // Create an expression to represent the function you want to apply

    NSExpression *maxExpression = [NSExpression expressionForFunction:@"max:"
                                                            arguments:@[keyPathExpression]];

    // Create an expression description using the maxExpression and returning a date.
    NSExpressionDescription *expressionDescription = [[NSExpressionDescription alloc] init];
    [expressionDescription setName:@"maxDate"];
    [expressionDescription setExpression:maxExpression];
    [expressionDescription setExpressionResultType:NSDateAttributeType];

    // Set the request's properties to fetch just the property represented by the expressions.
    fetchRequest.propertiesToFetch = @[expressionDescription] ; // @[kSyncTime];

    NSError *fetchError = nil;
    id requestedValue = nil;

    // fetch stored media
    NSArray *results = [self.managedObjectContext executeFetchRequest:fetchRequest error:&fetchError];
    if (fetchError || results == nil || results.count == 0) {
        return [NSDate dateWithTimeIntervalSince1970:0];
    }
    requestedValue = [[results objectAtIndex:0] valueForKey:@"maxDate"];
    if (![requestedValue isKindOfClass:[NSDate class]]) {
        return [NSDate dateWithTimeIntervalSince1970:0];
    }
    DDLogDebug(@"sync date %@",requestedValue);
    return (NSDate *)requestedValue;
}

Solution 4

The answer given above using NSExpression is correct. Here is the Swift version.

private func getLastSyncTimestamp() -> Int64? {

let request: NSFetchRequest<NSFetchRequestResult> = NSFetchRequest()
request.entity = NSEntityDescription.entity(forEntityName: "EntityName", in: self.moc)
request.resultType = NSFetchRequestResultType.dictionaryResultType

let keypathExpression = NSExpression(forKeyPath: "timestamp")
let maxExpression = NSExpression(forFunction: "max:", arguments: [keypathExpression])

let key = "maxTimestamp"

let expressionDescription = NSExpressionDescription()
expressionDescription.name = key
expressionDescription.expression = maxExpression
expressionDescription.expressionResultType = .integer64AttributeType

request.propertiesToFetch = [expressionDescription]

var maxTimestamp: Int64? = nil

do {

    if let result = try self.moc.fetch(request) as? [[String: Int64]], let dict = result.first {
       maxTimestamp = dict[key]
    }

} catch {
    assertionFailure("Failed to fetch max timestamp with error = \(error)")
    return nil
}

return maxTimestamp
}

where moc is a NSManagedObjectContext.

Solution 5

Swift 3

let request:NSFetchRequest = Person.fetchRequest()

let sortDescriptor1 = NSSortDescriptor(key: "personId", ascending: false)

request.sortDescriptors = [sortDescriptor1]

request.fetchLimit = 1

do {
    let persons = try context.fetch(request)
    return persons.first?.personId
} catch {
    print(error.localizedDescription)
}
Share:
24,076
Eyal
Author by

Eyal

Updated on August 19, 2020

Comments

  • Eyal
    Eyal over 3 years

    I have a entity Person with a property personId (personId is unique)

    How can I fetch the Person with the max personId?

    (I want to fetch the person itself not the value of the property)

  • Doug Richardson
    Doug Richardson about 9 years
    If you don't have an index on the attribute being sorted, then this technique is more expensive, O(n log n), than scanning a list for a max value, O(n), as described in @Uilleann's answer. That said, if you do have an index on the attribute being sorted, then both techniques should should be the same.
  • Benjohn
    Benjohn almost 9 years
    Is it worth setting fetchBatchSize to 1 also, or is that implicit in fetchLimit being 1?
  • hypercrypt
    hypercrypt almost 9 years
    Shouldn't make a difference
  • oradyvan
    oradyvan over 7 years
    Looks like the approach is really the best one however it seems it does not work on in-memory store: stackoverflow.com/questions/19301181/…
  • Tomek Cejner
    Tomek Cejner over 7 years
    It worked for me until I migrated project to Swift 3. Apple, for greater good, introduced strongly typed fetch requests, which do not work with this approach, causing Could not cast value of type 'NSKnownKeysDictionary1' (0x106019870) to 'NSManagedObject' (0x106019b18). error. Perhaps the work around is to use execute method of MOC, but it seems too low level, and I will revert to 'sort' method.
  • Eric Yu
    Eric Yu about 7 years
    i had the same problem after fetching downcast to--> as! [NSDictionary] that solve my problem
  • sidekickr
    sidekickr about 6 years
    Note that this solution only works for data that has been saved to the backing store. if you have unsaved objects in the MOC, they will not be part of the max calculation.
  • Abhi Beckert
    Abhi Beckert over 3 years
    Is it necessary to set sortDescriptors to an empty array?
  • Uilleann
    Uilleann about 3 years
    @AbhiBeckert You could normally add NSSortDescriptors to specify how you want the returned objects sorted. In this case though, it doesn't make sense to add sort descriptors, as the query/predicate is asking for the max value of personId, so only one object will be returned.