我有一个具有以下和类似格式的 NSString 数据:
10mm x 1000mm
4mm x 20mm
50mm x 200mm
250mm x 2000mm
有人可以建议如何在每种情况下提取两个单独的数字吗?
10 和 1000
4 和 20
50 和 200
250 和 2000
等等。
如果格式是真的,总是
number, "mm x ", number, "mm"
那么你可以使用NSScanner
:
- (void)parseString:(NSString *)str sizeX:(int *)x sizeY:(int *)y
{
NSScanner *scn = [NSScanner scannerWithString:str];
[scn scanInt:x];
[scn scanString:@"mm x " intoString:NULL];
[scn scanInt:y];
}
并像这样使用它:
NSString *s = @"50mm x 200mm";
int x, y;
[self parseString:s sizeX:&x sizeY:&y];
NSLog(@"X size: %d, Y size: %d", x, y);
有趣的是,如果你有一个像 10mm 这样的字符串,那么你可以使用 intValue 从中提取 10。所以另一种做你想做的事情是:
NSString *s = @"10mm x 1000mm";
NSArray *arr = [s componentsSeparatedByString:@"x"];
int firstNum = [arr[0] intValue];
int secondNum = [arr[1] intValue];
NSLog(@"%d %d",firstNum,secondNum);
如果你想要更健壮的东西,你可以尝试正则表达式:
NSString * input = @"55 mm x 100mm" ;
NSRegularExpression * regex = [ NSRegularExpression regularExpressionWithPattern:@"([0-9]+).*x.*([0-9]+)" options:NSRegularExpressionCaseInsensitive error:NULL ] ;
NSArray * matches = [ regex matchesInString:input options:0 range:(NSRange){ .length = input.length } ] ;
NSTextCheckingResult * match = matches[0] ;
NSInteger width ;
{
NSRange range = [ match rangeAtIndex:1 ] ;
width = [[ input substringWithRange:range ] integerValue ] ;
}
NSInteger height ;
{
NSRange range = [ match rangeAtIndex:2 ] ;
height = [[ input substringWithRange:range ] integerValue ] ;
}