Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

NSString to NSArray

I want to split an NSString into an NSArray. For example, given:

NSString *myString=@"ABCDEF";

I want an NSArray like:

NSArray *myArray={A,B,C,D,E,F};

How to do this with Objective-C and Cocoa?

like image 228
gopal Avatar asked Jul 05 '11 08:07

gopal


1 Answers

NSMutableArray *letterArray = [NSMutableArray array];
NSString *letters = @"ABCDEF𝍱क्";
[letters enumerateSubstringsInRange:NSMakeRange(0, [letters length]) 
                            options:(NSStringEnumerationByComposedCharacterSequences) 
                         usingBlock:^(NSString *substring, NSRange substringRange, NSRange enclosingRange, BOOL *stop) {
    [letterArray addObject:substring];
}];

for (NSString *i in letterArray){
    NSLog(@"%@",i);
}

results in

A
B
C
D
E
F
𝍱
क्

enumerateSubstringsInRange:options:usingBlock: available for iOS 4+ can enumerate a string with different styles. One is called NSStringEnumerationByComposedCharacterSequences, what will enumerate letter by letter but is sensitive to surrogate pairs, base characters plus combining marks, Hangul jamo, and Indic consonant clusters, all referred as Composed Character

Note, that the accepted answer "swallows" 𝍱and breaks क् into and .

like image 58
vikingosegundo Avatar answered Sep 26 '22 10:09

vikingosegundo