9

我需要使用 NSPredicate 来匹配两个字符串,不区分大小写、不区分变音符号和不区分空格

谓词看起来像这样:

[NSPredicate predicateWithFormat:@"Key ==[cdw] %@", userInputKey];

'w' 修饰符是为了表达我想使用的东西而发明的。

我不能只修剪,userInputKey因为数据源“键”值中也可能有空格(它们需要那些空格,我不能只事先修剪它们)。

例如,给定一个userInputKey“abc”,谓词应该匹配所有

{“abc”、“ab c”、“a BC”}
等等。给定一个userInputKey“a B C”,谓词也应该匹配上面集合中的所有值。

这不可能很难做到,不是吗?

4

2 回答 2

13

如何定义这样的东西:

+ (NSPredicate *)myPredicateWithKey:(NSString *)userInputKey {
    return [NSPredicate predicateWithBlock:^BOOL(NSString *evaluatedString, NSDictionary *bindings) {
        // remove all whitespace from both strings
        NSString *strippedString=[[evaluatedString componentsSeparatedByCharactersInSet:[NSCharacterSet whitespaceCharacterSet]] componentsJoinedByString:@""];
        NSString *strippedKey=[[userInputKey componentsSeparatedByCharactersInSet:[NSCharacterSet whitespaceCharacterSet]] componentsJoinedByString:@""];
        return [strippedString caseInsensitiveCompare:strippedKey]==NSOrderedSame;
    }];
}

然后像这样使用它:

NSArray *testArray=[NSArray arrayWithObjects:@"abc", @"a bc", @"A B C", @"AB", @"a B d", @"A     bC", nil];
NSArray *filteredArray=[testArray filteredArrayUsingPredicate:[MyClass myPredicateWithKey:@"a B C"]];               
NSLog(@"filteredArray: %@", filteredArray);

结果是:

2012-04-10 13:32:11.978 Untitled 2[49613:707] filteredArray: (
    abc,
    "a bc",
    "A B C",
    "A     bC"
)
于 2012-04-10T12:23:22.793 回答
2

斯威夫特 4

func ignoreWhiteSpacesPredicate(id: String) -> NSPredicate {
    return NSPredicate(block: { (evel, binding) -> Bool in
        guard let str = evel as? String else {return false}
        let strippedString = str.components(separatedBy: CharacterSet.whitespaces).joined(separator: "")
        let strippedKey = id.components(separatedBy: CharacterSet.whitespaces).joined(separator: "")
        return strippedString.caseInsensitiveCompare(strippedKey) == ComparisonResult.orderedSame
    })
}

例子:

let testArray:NSArray =  ["abc", "a bc", "A B C", "AB", "a B d", "A     bC"]
let filteredArray = testArray.filtered(using: ignoreWhiteSpacesPredicate(id: "a B C")) 

结果:

[“abc”,“a bc”,“AB C”,“A bC”]

于 2018-05-12T04:14:19.030 回答