如何获取NSString的子串?

时间:2011-04-15 11:37:32

标签: objective-c cocoa-touch nsstring

如果我想从NSString @"value:hello World:value"获取值,我应该使用什么?

我想要的返回值是@"hello World"

5 个答案:

答案 0 :(得分:154)

选项1:

NSString *haystack = @"value:hello World:value";
NSString *haystackPrefix = @"value:";
NSString *haystackSuffix = @":value";
NSRange needleRange = NSMakeRange(haystackPrefix.length,
                                  haystack.length - haystackPrefix.length - haystackSuffix.length);
NSString *needle = [haystack substringWithRange:needleRange];
NSLog(@"needle: %@", needle); // -> "hello World"

选项2:

NSRegularExpression *regex = [NSRegularExpression regularExpressionWithPattern:@"^value:(.+?):value$" options:0 error:nil];
NSTextCheckingResult *match = [regex firstMatchInString:haystack options:NSAnchoredSearch range:NSMakeRange(0, haystack.length)];
NSRange needleRange = [match rangeAtIndex: 1];
NSString *needle = [haystack substringWithRange:needleRange];

尽管如此,对于你这个相当微不足道的案例,这个可能有点过头了。

选项3:

NSString *needle = [haystack componentsSeparatedByString:@":"][1];

这一个在分割时创建三个临时字符串和一个数组。


所有片段都假设搜索到的内容实际上包含在字符串中。

答案 1 :(得分:70)

这是一个稍微复杂的答案:

NSString *myString = @"abcdefg";
NSString *mySmallerString = [myString substringToIndex:4];

另请参见substringWithRange和substringFromIndex

答案 2 :(得分:16)

这是一个简单的功能,可以让你做你想要的事情:

- (NSString *)getSubstring:(NSString *)value betweenString:(NSString *)separator
{
    NSRange firstInstance = [value rangeOfString:separator];
    NSRange secondInstance = [[value substringFromIndex:firstInstance.location + firstInstance.length] rangeOfString:separator];
    NSRange finalRange = NSMakeRange(firstInstance.location + separator.length, secondInstance.location);

    return [value substringWithRange:finalRange];
}

用法:

NSString *myName = [self getSubstring:@"This is my :name:, woo!!" betweenString:@":"];

答案 3 :(得分:12)

这是@Regexident选项1和@Garett答案的一个小组合,可以在前缀和后缀之间获得强大的字符串切割器,上面有更多... ANDMORE字样。

NSString *haystack = @"MOREvalue:hello World:valueANDMORE";
NSString *prefix = @"value:";
NSString *suffix = @":value";
NSRange prefixRange = [haystack rangeOfString:prefix];
NSRange suffixRange = [[haystack substringFromIndex:prefixRange.location+prefixRange.length] rangeOfString:suffix];
NSRange needleRange = NSMakeRange(prefixRange.location+prefix.length, suffixRange.location);
NSString *needle = [haystack substringWithRange:needleRange];
NSLog(@"needle: %@", needle);

答案 4 :(得分:12)

也可以使用

NSString *ChkStr = [MyString substringWithRange:NSMakeRange(5, 26)];

注意 - 您的NSMakeRange(start, end)应为NSMakeRange(start, end- start);