特定のインデックスで NSString から部分文字列を引き出したい。例:
NSString = @"Hello, welcome to the jungle";
int index = 9;
インデックス ポイント '9' は単語 'welcome' の途中にあり、その単語 'welcome' を部分文字列として抽出できるようにしたいと考えています。どうすればこれを達成できるか教えてもらえますか?正規表現で?
NSString のカテゴリとしてのソリューションは次のとおりです。
- (NSString *) wordAtIndex:(NSInteger) index {
__block NSString *result = nil;
[self enumerateSubstringsInRange:NSMakeRange(0, self.length)
options:NSStringEnumerationByWords
usingBlock:^(NSString *substring, NSRange substringRange, NSRange enclosingRange, BOOL *stop) {
if (NSLocationInRange(index, enclosingRange)) {
result = substring;
*stop = YES;
}
}];
return result;
}
もう 1 つは、より複雑ですが、必要な単語の文字を正確に指定できます。
- (NSString *) wordAtIndex:(NSInteger) index {
if (index < 0 || index >= self.length)
[NSException raise:NSInvalidArgumentException
format:@"Index out of range"];
// This definition considers all punctuation as word characters, but you
// can define the set exactly how you like
NSCharacterSet *wordCharacterSet =
[[NSCharacterSet whitespaceAndNewlineCharacterSet] invertedSet];
// 1. If [self characterAtIndex:index] is not a word character, find
// the previous word. If there is no previous word, find the next word.
// If there are no words at all, return nil.
NSInteger adjustedIndex = index;
while (adjustedIndex < self.length &&
![wordCharacterSet characterIsMember:
[self characterAtIndex:adjustedIndex]])
++adjustedIndex;
if (adjustedIndex == self.length) {
do
--adjustedIndex;
while (adjustedIndex >= 0 &&
![wordCharacterSet characterIsMember:
[self characterAtIndex:adjustedIndex]]);
if (adjustedIndex == -1)
return nil;
}
// 2. Starting at adjustedIndex which is a word character, find the
// beginning and end of the word
NSInteger beforeBeginning = adjustedIndex;
while (beforeBeginning >= 0 &&
[wordCharacterSet characterIsMember:
[self characterAtIndex:beforeBeginning]])
--beforeBeginning;
NSInteger afterEnd = adjustedIndex;
while (afterEnd < self.length &&
[wordCharacterSet characterIsMember:
[self characterAtIndex:afterEnd]])
++afterEnd;
NSRange range = NSMakeRange(beforeBeginning + 1,
afterEnd - beforeBeginning - 1);
return [self substringWithRange:range];
}
単語が短いと仮定すると、2 番目のバージョンも長い文字列でより効率的です。
これはかなりハックな方法ですが、うまくいくでしょう:
NSString にはメソッドがあります。
- (NSArray *)componentsSeparatedByString:(NSString *)separator;
あなたができるように:
NSString *myString = @"Blah blah blah";
NSString *output = @"";
int index = 9;
NSArray* myArray = [myString componentsSeparatedByString:@" "]; // <-- note the space in the parenthesis
for(NSString *str in myArray) {
if(index > [str length]) index -= [str length] + 1; // don't forget the space that *was* there
else output = str;
}