我正在阅读有关iOS 6中coreImage的教程。 在那个教程中我找到了类似的东西:
@implementation ViewController {
CIContext *context;
CIFilter *filter;
CIImage *beginImage;
UIImageOrientation orientation;
}
//Some methods
@end
变量在@implementation语句后的括号中的.m文件中声明。我第一次看到这种变量声明。
上述变量声明与以下代码之间是否有任何区别
@implementation ViewController
CIContext *context;
CIFilter *filter;
CIImage *beginImage;
UIImageOrientation orientation;
//Some methods
@end
答案 0 :(得分:21)
存在巨大差异。
@interface
或@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
}
只有现代编译器允许您在类扩展(.m实现文件中的@interface YourClass ()
)或@implementation
内部声明实例变量(仍在括号中),此外还可以在@interface
.h
之后声明它们。通过在.m文件中而不是在.h文件中声明它们来将这些实例变量从类的外部用户隐藏起来的好处,因为您的类的用户不需要知道内部编码细节你的班级,但只需要知道公共API。
最后一条建议: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);
}
答案 1 :(得分:0)
这是一种声明私有变量的方法,它们在类外部不可见,也不在头文件中显示