也许这很明显,但我不知道如何在Objective-C中声明类属性。
我需要缓存每个类的字典,不知道如何把它放在类。
也许这很明显,但我不知道如何在Objective-C中声明类属性。
我需要缓存每个类的字典,不知道如何把它放在类。
当前回答
从Xcode 8开始,你可以像Berbie回答的那样使用class属性。
但是,在实现中,您需要使用静态变量代替iVar为类属性定义类getter和setter。
Sample.h
@interface Sample: NSObject
@property (class, retain) Sample *sharedSample;
@end
Sample.m
@implementation Sample
static Sample *_sharedSample;
+ ( Sample *)sharedSample {
if (_sharedSample==nil) {
[Sample setSharedSample:_sharedSample];
}
return _sharedSample;
}
+ (void)setSharedSample:(Sample *)sample {
_sharedSample = [[Sample alloc]init];
}
@end
其他回答
属性只在对象中有值,在类中没有。
如果需要为类的所有对象存储一些内容,则必须使用全局变量。您可以通过在实现文件中声明它为静态来隐藏它。
您还可以考虑在对象之间使用特定的关系:将master角色属性为类的特定对象,并将其他对象链接到此master。master将把字典作为一个简单属性保存。我想到了可可应用程序中用于视图层次结构的树。
另一种选择是创建一个专用类的对象,该对象由您的“类”字典和与该字典相关的所有对象的集合组成。这类似于NSAutoreleasePool in Cocoa。
如果您正在寻找类级别的@property等价物,那么答案是“不存在这样的东西”。但请记住,@property只是语法糖;它只是创建适当命名的对象方法。
您希望创建访问静态变量的类方法,正如其他人所说,这些静态变量的语法略有不同。
属性在Objective-C中有特定的含义,但我想你是指等价于静态变量的东西?例如,所有类型的Foo只有一个实例?
为了在Objective-C中声明类函数,你使用+前缀而不是-,所以你的实现看起来像这样:
// Foo.h
@interface Foo {
}
+ (NSDictionary *)dictionary;
// Foo.m
+ (NSDictionary *)dictionary {
static NSDictionary *fooDict = nil;
if (fooDict == nil) {
// create dict
}
return fooDict;
}
从Xcode 8开始,你可以像Berbie回答的那样使用class属性。
但是,在实现中,您需要使用静态变量代替iVar为类属性定义类getter和setter。
Sample.h
@interface Sample: NSObject
@property (class, retain) Sample *sharedSample;
@end
Sample.m
@implementation Sample
static Sample *_sharedSample;
+ ( Sample *)sharedSample {
if (_sharedSample==nil) {
[Sample setSharedSample:_sharedSample];
}
return _sharedSample;
}
+ (void)setSharedSample:(Sample *)sample {
_sharedSample = [[Sample alloc]init];
}
@end
这里有一个线程安全的方法:
// Foo.h
@interface Foo {
}
+(NSDictionary*) dictionary;
// Foo.m
+(NSDictionary*) dictionary
{
static NSDictionary* fooDict = nil;
static dispatch_once_t oncePredicate;
dispatch_once(&oncePredicate, ^{
// create dict
});
return fooDict;
}
这些编辑确保只创建一次fooDict。
来自Apple文档:“dispatch_once—在应用程序的生命周期中执行一次且仅执行一次块对象。”