標籤:objective nsmutablearray nsarray oc objetive-c
講解:
NSArray 類有兩個限制。首先,它只能儲存 Objective-C 的對象,而不能儲存原始的 C 語言基礎資料類型,如 int 、float、 enum、struct 和 NSArray 中的隨機指標。同時,你也不能在 NSArray 中儲存 nil (對象的零值或 NULL 值)。有很多種方法可以避開這些限制。
可以通過類方法 arrayWithObjects: 建立一個新的 NSArray 。發送一個以逗號分隔的對象列表,在列表結尾添加 nil 代表列表結束(這就是不能在數組中儲存 nil 的一個原因)。
NSArray *array = [NSArray arrayWithObjects:@"one", @"two", @"three", nil];
這行代碼建立了一個有 NSString 字面量對象組成的含 3 個元素的數組。你也可以使用數組字面量格式來建立一個數組,它與 NSString 字面量格式非常類似,區別是用方括弧代替了引號,如下所示。
NSArray *array2 = @[@"one", @"two", @"three"];
雖然,array 和 array2 對象不同,但它們的內容是一樣的,而且後一種的輸入量明顯比前一種少很多。
註:使用字面量文法時不必在結尾處特意補上 nil 。
上代碼:
/* * NSArray (不可變數組) */ //定義 NSArray 類的對象 NSArray *array1 = [[NSArray alloc] initWithObjects:@"1", @2, @"好好", @"abcdef", nil] ; NSLog( @"%@", array1 ) ; NSLog( @"%@", [array1 description] ) ; NSArray *array2 = [NSArray arrayWithObjects:@"1", @3, @"??", nil] ; NSLog( @"%@", array2 ) ; // 數組的文法糖形式(literal, 字面量) NSArray *array3 = @[@"1", @3, @"?(~﹃~)~zZ"] ; NSLog( @"%@", array3 ) ; //擷取數組元素個數 NSInteger count = [array3 count] ; NSLog( @"%ld", count ) ; //通過下標擷取對應的對象 for ( int i = 0; i < count; i++ ) { NSLog( @"%@", [array3 objectAtIndex:i] ) ; NSLog( @"%@", array3[i] ) ; } // 通過對象去尋找它在數組中的對應下標 NSInteger index =[array3 indexOfObject:@3] ; NSLog( @"%ld", index ) ; NSString *strFile = [NSString stringWithContentsOfFile:@"/Users/lanouhn/Desktop/words.txt" encoding:NSUTF8StringEncoding error:nil] ; NSLog( @"%@", strFile ) ; // componentsSeparatedByString 通過給定的字串將原有字串截取成多個子字串並儲存在數組中返回 NSArray *array4 = [strFile componentsSeparatedByString:@" "] ; NSLog( @"%@", array4 ) ; /* * NSMultableArray (可變數組) */ NSMutableArray *mutableArray1 = [[NSMutableArray alloc] initWithArray:array1] ; NSLog( @"%@", mutableArray1 ) ; NSMutableArray *mutableArray2 = [NSMutableArray arrayWithArray:array1] ; NSLog( @"%@", mutableArray2 ) ; //添加元素 [mutableArray2 addObject:@44] ; NSLog( @"%@", mutableArray2 ) ; //插入元素 [mutableArray2 insertObject:@"insert" atIndex:2] ; NSLog( @"%@", mutableArray2 ) ; //替換元素 [mutableArray2 replaceObjectAtIndex:2 withObject:@55] ; NSLog( @"%@", mutableArray2 ) ; //交換元素 [mutableArray2 exchangeObjectAtIndex:2 withObjectAtIndex:3] ; NSLog( @"%@", mutableArray2 ) ; //刪(移)除最後一個元素 [mutableArray2 removeLastObject] ; NSLog( @"%@", mutableArray2 ) ; //刪(移)除指定下標的元素 [mutableArray2 removeObjectAtIndex:0] ; NSLog( @"%@", mutableArray2 ) ; //刪(移)除所有對象 [mutableArray2 removeAllObjects] ; NSLog( @"%@", mutableArray2 ) ;
Objective-C----NSArray、NSMutableArray