2

我有一个需要拆分的字符串。使用 componentsSeparatedByString 会很容易,但我的问题是分隔符是逗号,但我可以使用不是分隔符的逗号。

我解释:

我的字符串:

NSString *str = @"black,red, blue,yellow";

不得将红色和蓝色之间的逗号视为分隔符。

我可以确定逗号是分隔符还是不检查它之后是否有空格。

目标是获得一个数组:

(
black,
"red, blue",
yellow
)
4

4 回答 4

8

这很棘手。首先用say '|'替换所有出现的', '(逗号+空格)然后使用组件分离的方法。完成后,再次替换'|' 带有 ', ' (逗号+空格)。

于 2013-05-10T09:53:27.870 回答
4

只是为了完成图片,正如您在问题中解释的那样,使用正则表达式直接识别逗号而不是空格的解决方案。

正如其他人所建议的那样,使用此模式替换为临时分隔符字符串并以此分割。

NSString *pattern = @",(?!\\s)"; // Match a comma not followed by white space.
NSString *tempSeparator = @"SomeTempSeparatorString"; // You can also just use "|", as long as you are sure it is not in your input.

// Now replace the single commas but not the ones you want to keep
NSString *cleanedStr = [str stringByReplacingOccurrencesOfString: pattern
                                                      withString: tempSeparator
                                                         options: NSRegularExpressionSearch
                                                           range: NSMakeRange(0, str.length)];

// Now all that is needed is to split the string
NSArray *result = [cleanedStr componentsSeparatedByString: tempSeparator];   

如果您不熟悉所使用的正则表达式模式,则(?!\\s)是一个否定的前瞻,您可以找到很好的解释,例如这里

于 2013-05-10T10:05:26.463 回答
1

这是cronyneaus4u解决方案的编码实现:

NSString *str = @"black,red, blue,yellow";
str = [str stringByReplacingOccurrencesOfString:@", " withString:@"|"];
NSArray *wordArray = [str componentsSeparatedByString:@","];
NSMutableArray *finalArray = [NSMutableArray array];
for (NSString *str in wordArray)
{
    str = [str stringByReplacingOccurrencesOfString:@"|" withString:@", "];
    [finalArray addObject:str];
}
NSLog(@"finalArray = %@", finalArray);
于 2013-05-10T10:10:29.843 回答
0
NSString *str = @"black,red, blue,yellow";
NSArray *array = [str componentsSeparatedByString:@","];
NSMutableArray *finalArray = [[NSMutableArray alloc] init];
for (int i=0; i < [array count]; i++) {
    NSString *str1 = [array objectAtIndex:i];
    if ([[str1 substringToIndex:1] isEqualToString:@" "]) {
        NSString *str2 = [finalArray objectAtIndex:(i-1)];
        str2 = [NSString stringWithFormat:@"%@,%@",str2,str1];
        [finalArray replaceObjectAtIndex:(i-1) withObject:str2];
    }
    else {
        [finalArray addObject:str1];
    }
}

NSLog(@"final array count : %d description : %@",[finalArray count],[finalArray description]);

输出:

final array count : 3 description : (
black,
"red, blue",
yellow
)
于 2013-05-10T10:12:57.280 回答