0

我不确定用 10 个 MyClass 类型的固定大小的对象声明我的数组的方法,以及这些不同的替代方案对效率、易于编码或其他方面的影响。

...牢记 xCode4.4 的新功能,尤其是:

  • 对于 NSArray 和 NSDictionary 类,提供了对 Objective-C 文字的支持。
  • Objective-C 容器对象支持使用 '[ ]' 语法进行下标。

...当然还有使用 ARC

特别是我需要编写返回这些数组作为结果的构造方法。

备选方案1

  MyClass* objectOfMyClass;
  MyClass* array1[10];
  array1[5] = objectOfMyClass;

方法声明:

- (MyClass*[]) createArray {   <--- is this declaration correct like this ?

附言。AFAIK 这些数组被放在堆栈内存中 - 但我不确定!

备选方案2

    MyClass* objectOfMyClass;

    NSMutableArray *array2 = [[NSMutableArray alloc] init];
    for (int i = 0; i<10; i++)
        [array2 addObject:objectOfMyClass]; //objects get added in some way...
    //can't directly access nTh object in this case, need to add from 0 to 9
    //conversion to non mutable array, since size will not change anymore
    NSArray *array3 = [NSArray arrayWithArray:array2]; 

方法声明:

- (NSArray*) createArray {

附言。AFAIK 这些数组放在主内存中 - 不是堆栈 - 但我不确定!

备选方案3

NSArray *array4 = [[NSArray alloc] init];
array4 = ...how to prepare the array so it can hold 10 objects without using NSMutableArray ?
            otherwise I do not see a difference to alternative 2...
for (int i = 0; i<10; i++)
    array4[i] = objectOfMyClass];

方法声明:

- (NSArray*) createArray {

非常感谢您带来光明!

4

1 回答 1

1

这里有一篇关于文字的好文章。你不能做替代 1。最好的方法是:

NSMutableArray *holdsMyClass = [NSMutableArray arrayWithCapacity:10]; // sized so array does not need to realloc as you add stuff to it

您不能通过索引超过大小来任意增加数组的大小 - 如果您在索引 5 处有一个对象,您可以替换它:

holdsMyClass[5] = obj;

例如,如果您尝试编译它,它会失败:

- (NSArray*[]) createArray
{
    NSArray *foo[10];
    foo[2] = [NSArray array];

    return foo;
}

生成此错误:“数组初始化程序必须是初始化程序列表”

于 2012-08-07T21:01:28.313 回答