6

我正在阅读有关 iOS 6 中 coreImage 的教程。在那篇教程中,我发现了类似的内容:

@implementation ViewController {
    CIContext *context;
    CIFilter *filter;
    CIImage *beginImage;
    UIImageOrientation orientation;
}
//Some methods
@end

这些变量在 .m 文件中的 @implementation 语句之后的括号中声明。我第一次看到这种变量声明。

上面的变量声明和下面的代码有什么区别吗

@implementation ViewController

    CIContext *context;
    CIFilter *filter;
    CIImage *beginImage;
    UIImageOrientation orientation;

//Some methods

@end
4

2 回答 2

21

这是个很大的差异。

@interface直接在or之后的括号内的变量@implementation实例变量。这些是与您的类的每个实例相关联的变量,因此可以在您的实例方法中的任何位置访问。

如果不放括号,则声明全局变量。在任何括号块之外声明的任何变量都是全局变量,无论这些变量是在@implementation指令之前还是之后。全局变量是邪恶的,需要不惜一切代价避免(您可以声明全局常量,但避免使用全局变量),特别是因为它们不是线程安全的(因此可能会产生难以调试的错误)。


事实上,从历史上看(在 Objective-C 和编译器的第一个版本中),您只能@interface.h文件中的括号中声明实例变量。

// .h
@interface YourClass : ParentClass
{
    // Declare instance variables here
    int ivar1;
}
// declare instance and class methods here, as well as properties (which are nothing more than getter/setter instance methods)
-(void)printIVar;
@end

// .m
int someGlobalVariable; // Global variable (bad idea!!)

@implementation YourClass

int someOtherGlobalVariable; // Still a bad idea
-(void)printIVar
{
    NSLog(@"ivar = %d", ivar1); // you can access ivar1 because it is an instance variable
    // Each instance of YourClass (created using [[YourClass alloc] init] will have its own value for ivar1
}

只有现代编译器允许您在您的类扩展名(@interface YourClass ()在您的 .m 实现文件中)或在您@implementation的. 好处是对类的外部用户隐藏这些实例变量,方法是在 .m 文件中而不是在 .h 文件中声明它们,因为您的类的用户不需要了解内部编码细节你的班级,但只需要知道公共 API。@interface.h


最后一个建议:Apple 越来越多地建议不要使用实例变量,而是@property直接使用,并让编译器(显式使用@synthesize指令,或隐式使用现代 LLVM 编译器)生成内部支持变量。所以最后你通常根本不需要声明实例变量,因此在指令{ }之后省略空:@interface

// .h
@interface YourClass : ParentClass

// Declare methods and properties here
@property(nonatomic, assign) int prop1;
-(void)printProp;
@end

// .m
@implementation YourClass
// @synthesize prop1; // That's even not needed with modern LLVM compiler
-(void)printProp
{
    NSLog(@"ivar = %d", self.prop1);
}
于 2012-11-22T14:39:47.757 回答
0

这是声明私有变量的一种方式,它们在类外不可见,也不显示在头文件中

于 2012-11-22T14:38:38.590 回答