我不知道应该怎么做,我尝试使用如下代码:
NSString *stringToFind = @"Hi";
NSString *fullString = @"Hi Objective C!";
NSRange range = [fullString rangeOfString :stringToFind];
if (range.location != NSNotFound)
{
NSLog(@"I found something.");
}
但它并不适合我的需求,我想搜索像#customstring
这样的字符串(#表示标签),其中标签由用户指定,因此他们输入类似{{1}的内容我想要做的是搜索所有Something #hello #world
和附加到它的字符串并将其保存在某处。
编辑:创建的标记字符串,我将其保存在plist中,但是当我保存它时,它只保存一个标记,因为我只是将字符串指定为标记。像这样:
#
我需要所有创建的代码。例如,在我的日志中:
我登录[db addNewItem:label tagString:tag];
,出现tag
,
我使用两个标签#tag
再次记录tag
我得到两个标签:Something #hello #world
& #hello
每个单独的日志。
我想要的结果是:
#world
然后将其存储在字符串中并将其保存到我的#hello, #world
。
答案 0 :(得分:6)
您应该使用正则表达式:
NSString *input = @"Something #hello #world";
NSRegularExpression *regex = [[NSRegularExpression alloc] initWithPattern:@"#\\w+" options:0 error:nil];
NSArray *matches = [regex matchesInString:input options:0 range:NSMakeRange(0, input.length)];
NSLog(@"%d matches found.", matches.count);
for (NSTextCheckingResult *match in matches) {
NSString *tag = [input substringWithRange:[match range]];
NSLog(@"%@", tag);
}
// #hello
// #world
编辑要获取没有哈希字符#
的标记,您应该在正则表达式中使用捕获组,如下所示:
NSString *input = @"Something #hello #world";
NSRegularExpression *regex = [[NSRegularExpression alloc] initWithPattern:@"#(\\w+)" options:0 error:nil];
NSArray *matches = [regex matchesInString:input options:0 range:NSMakeRange(0, input.length)];
NSLog(@"%d matches found.", matches.count);
for (NSTextCheckingResult *match in matches) {
NSString *tag = [input substringWithRange:[match rangeAtIndex:1]];
NSLog(@"%@", tag);
}
// hello
// world
编辑要获取包含除标记之外的输入字符串的字符串,可以使用以下方法:
NSString *stringWithoutTags = [regex stringByReplacingMatchesInString:input options:0 range:NSMakeRange(0, input.length) withTemplate:@""];
NSLog(@"%@", stringWithoutTags);
// Something
编辑既然您拥有不同的代码,就可以创建一个包含它们的字符串,如下所示:
NSMutableArray *tagsArray = [NSMutableArray array];
for (NSTextCheckingResult *match in matches) {
NSString *tag = [input substringWithRange:[match range]];
[tagsArray addObject:tag];
}
NSString *tagsString = [tagsArray componentsJoinedByString:@", "];
NSLog(@"tagsString: %@", tagsString);
答案 1 :(得分:-1)
我会把它拆分成一个用#分隔的数组然后再按空格拆分并为每一个选择第一个单词:
NSArray *chunks = [string componentsSeparatedByString: @"#"];