Artem E.
Artem E.

Reputation: 23

Using NSPredicate to filter NSArray by keywords

I have an NSArray called myArray. I want to filter myArray objects so, that I exclude all elements from this array corresponding to the keywords from another array keywords.

So, that's my pseudocode:

keywords = @[@"one", @"three"];
myArray = @[@"textzero", @"textone", @"texttwo", @"textthree", @"textfour"];
predicate = [NSPredicate predicateWithFormat:@"NOT (SELF CONTAINS_ANY_OF[cd] %@), keywords];
myArray = [myArray filteredArrayUsingPredicate:predicate];

And that's what I want to get by NSLog(@"%@", myArray)

>> ("textzero", "texttwo", "textfour")

How should I do it?

Upvotes: 1

Views: 73

Answers (2)

Willeke
Willeke

Reputation: 15589

You can use a block to filter the array. Usually a block is faster.

keywords = @[@"one", @"three"];
myArray = @[@"textzero", @"textone", @"texttwo", @"textthree", @"textfour"];
predicate = [NSPredicate predicateWithBlock:^(NSString *evaluatedObject, NSDictionary<NSString *,id> *bindings){
    for (NSString *key in keywords)
        if ([evaluatedObject rangeOfString:key options:NSCaseInsensitiveSearch | NSDiacriticInsensitiveSearch].location != NSNotFound)
            return NO;
    return YES;
}];
myArray = [myArray filteredArrayUsingPredicate:predicate];

or

keywords = @[@"one", @"three"];
myArray = @[@"textzero", @"textone", @"texttwo", @"textthree", @"textfour"];
NSIndexSet *indices = [myArray indexesOfObjectsPassingTest:^(NSString *obj, NSUInteger idx, BOOL *stop){
    for (NSString *key in keywords)
        if ([obj rangeOfString:key options:NSCaseInsensitiveSearch | NSDiacriticInsensitiveSearch].location != NSNotFound)
            return NO;
    return YES;
}];
myArray = [myArray objectsAtIndexes:indices];

Upvotes: 0

Mikhail Lutskiy
Mikhail Lutskiy

Reputation: 16

Use this code:

NSArray *keywords = @[@"one", @"three"];
NSArray *myArray = @[@"textzero", @"textone", @"texttwo", @"textthree", @"textfour"];
NSString * string = [NSString stringWithFormat:@"NOT SELF CONTAINS[c] '%@'", [keywords componentsJoinedByString:@"' AND NOT SELF CONTAINS[c] '"]];
NSPredicate* predicate = [NSPredicate predicateWithFormat:string];
NSArray* filteredData = [myArray filteredArrayUsingPredicate:predicate];
NSLog(@"Complete array %@", filteredData);

Upvotes: 0

Related Questions