3

我正在慢慢地将我的应用程序构建到工作状态。

我正在使用两个名为setCollectionand的函数addToCollection。这些函数都接受NSArray作为输入。

我还有一个函数add,我在其中使用了这两个函数。当我尝试编译时,Xcode 显示错误:

'setCollection' 未声明(在此函数中首次使用)

我想这与在活动函数下方定义的函数有关。另一个猜测是这些函数应该被全球化以便在我的函数中可用add

我通常是一个 php 编码器。Php 处理这个的方式是第一个。调用的函数应该在使用它们的函数之前,否则它们就不存在了。有没有办法让函数在运行时仍然可用,或者我应该重新排列所有函数以使其正常运行?

4

2 回答 2

8

您可以提前声明函数,如下所示:

void setCollection(NSArray * array);
void addToCollection(NSArray * array);

//...

// code that calls setCollection or addToCollection

//...

void setCollection(NSArray * array)
{
    // your code here
}

void addToCollection(NSArray * array)
{
    // your code here
}

如果您正在创建自定义类,并且这些是成员函数(在 Objective-C 中通常称为方法),那么您将在类头文件中声明这些方法并在类源文件中定义它们:

//MyClass.h:
@interface MyClass : NSObject
{

}

- (void)setCollection:(NSArray *)array;
- (void)addToCollection:(NSArray *)array;

@end


//MyClass.m:

#import "MyClass.h"

@implementation MyClass

- (void)setCollection:(NSArray *)array
{
    // your code here
}

- (void)addToCollection:(NSArray *)array
{
    // your code here
}

@end


//some other source file

#import "MyClass.h"

//...

MyClass * collection = [[MyClass alloc] init];
[collection setCollection:someArray];
[collection addToCollection:someArray];

//...
于 2009-01-27T14:52:54.717 回答
5

如果您的函数是全局的(不是类的一部分),您只需将声明放在使用之前,就像 eJames 建议的那样。

如果您的函数实际上是方法(类的一部分),则必须在实现之前声明类的匿名类别并将方法声明放在此接口中:

@interface Myclass()
- (void) setCollection:(NSArray*)array;
- (void) addToCollection:(NSArray*)array;
@end

@implementation Myclass

// Code that calls setCollection or addToCollection

- (void) setCollection:(NSArray*)array
{
    // your code here
}

- (void) addToCollection:(NSArray*)array
{
    // your code here
}

@end

这样,您就不需要在MyClass.

于 2009-01-27T15:00:22.893 回答