Find values in NSArray having NSArray with NSStrin

2020-03-06 04:13发布

With NSArray only i can find values as:

NSArray *arr = [NSArray arrayWithObjects:@"299-1-1", @"299-2-1", @"299-3-1", @"399-1-1", @"399-2-1", @"399-3-1", @"499-1-1", @"499-2-1", @"499-3-1", nil];
NSString *search = @"299";
NSPredicate *predicate = [NSPredicate predicateWithFormat:@"SELF CONTAINS %@",[NSString stringWithFormat:@"%@", search]];
NSArray *array = [arr filteredArrayUsingPredicate: predicate];
NSLog(@"result: %@", array);

Found Result as expected :

 result: (
 "299-1-1",
 "299-2-1",
 "299-3-1"
 )

But for NSArray having NSArray with NSString

NSArray *arr = [NSArray arrayWithObjects:[NSArray arrayWithObjects:@"299-1-1", nil],[NSArray arrayWithObjects:@"399-1-1", nil],[NSArray arrayWithObjects:@"499-1-1", nil], nil];

What will be predicate syntax here?????

3条回答
▲ chillily
2楼-- · 2020-03-06 04:48

To search in a nested array, you can use the "ANY" operator in the predicate:

NSArray *arr = [NSArray arrayWithObjects:[NSArray arrayWithObjects:@"299-1-1", nil],[NSArray arrayWithObjects:@"399-1-1", nil],[NSArray arrayWithObjects:@"499-1-1", nil], nil];
NSString *search = @"299";
NSPredicate *predicate = [NSPredicate predicateWithFormat:@"ANY SELF CONTAINS %@", search];
NSArray *array = [arr filteredArrayUsingPredicate: predicate];
NSLog(@"result: %@", array);

Output:

(
    (
        "299-1-1"
    )
)
查看更多
疯言疯语
3楼-- · 2020-03-06 04:49
NSArray *arr = [NSArray arrayWithObjects:[NSArray arrayWithObjects:@"299-1-1", nil],[NSArray arrayWithObjects:@"399-1-1", nil],[NSArray arrayWithObjects:@"499-1-1", nil], nil];
NSString *search = @"299";
NSMutableArray *filteredArray = [[NSMutableArray alloc] init];
for (NSArray *array in arr) {
    NSPredicate *predicate = [NSPredicate predicateWithFormat:@"self CONTAINS %@",search];
    if([array filteredArrayUsingPredicate:predicate].count)
    {
        [filteredArray addObject:[array filteredArrayUsingPredicate:predicate]];
    }
}
NSLog(@"%@", filteredArray);
查看更多
放我归山
4楼-- · 2020-03-06 04:54

If you want to provide an array of searchTerms then you'll need to change your predicate.

Something like this would do it

NSArray *arr         = @[ @"299-1-1", @"299-2-1", @"299-3-1", @"399-1-1", @"399-2-1", @"399-3-1", @"499-1-1", @"499-2-1", @"499-3-1" ];
NSArray *searchTerms = @[ @"299", @"399" ];

NSPredicate *predicate = [NSPredicate predicateWithBlock:^ (id evaluatedObject, NSDictionary *bindings) {   
  for (NSString *searchTerm in searchTerms) {
    if (NSNotFound != [evaluatedObject rangeOfString:searchTerm].location) {
      return YES;
    }   
  }
  return NO;
}];

NSArray *array = [arr filteredArrayUsingPredicate:predicate];
NSLog(@"result: %@", array);
//#=> result: (
  "299-1-1",
  "299-2-1",
  "299-3-1",
  "399-1-1",
  "399-2-1",
  "399-3-1"
)
查看更多
登录 后发表回答