Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to create a predicate that compares all properties of an object?

For example, I have an object that has three properties: firstName, middleName, lastName.

If I want to search a string "john" in all the properties using NSPredicate.

Instead of creating a predicate like:

[NSPredicate predicateWithFormat:@"(firstName contains[cd] %@) OR (lastName contains[cd] %@) OR (middleName contains[cd] %@)", @"john", @"john", @"john"];

Can I do something like:

[NSPredicate predicateWithFormat:@"(all contains[cd] %@), @"john"];

like image 321
David Liu Avatar asked Apr 21 '14 14:04

David Liu


Video Answer


1 Answers

"all contains" does not work in a predicate, and (as far as I know) there is no similar syntax to get the desired result.

The following code creates a "compound predicate" from all "String" attributes in the entity:

NSString *searchText = @"john";
NSEntityDescription *entity = [NSEntityDescription entityForName:@"Entity" inManagedObjectContext:context];
NSMutableArray *subPredicates = [NSMutableArray array];
for (NSAttributeDescription *attr in [entity properties]) {
    if ([attr isKindOfClass:[NSAttributeDescription class]]) {
        if ([attr attributeType] == NSStringAttributeType) {
            NSPredicate *tmp = [NSPredicate predicateWithFormat:@"%K CONTAINS[cd] %@", [attr name], searchText];
            [subPredicates addObject:tmp];
        }
    }
}
NSPredicate *predicate = [NSCompoundPredicate orPredicateWithSubpredicates:subPredicates];

NSLog(@"%@", predicate);
// firstName CONTAINS[cd] "john" OR lastName CONTAINS[cd] "john" OR middleName CONTAINS[cd] "john"
like image 140
Martin R Avatar answered Oct 17 '22 10:10

Martin R