1

我试图理解 Objective-c 中的 Singleton 概念。

我发现的大多数示例只涉及一个变量。

对于如何调整示例以处理许多变量,例如返回 x、y、z 的加速度计值,我有点迷茫。

你能进一步指导我吗?

4

1 回答 1

4

单例是指在应用程序的生命周期内只能存在一次的特殊对象。该对象可以根据需要具有尽可能多的变量和属性。

//  Singleton.h

@interface Singleton : NSObject

@property (readwrite) int propertyA;
@property (readwrite) int propertyB;
@property (readwrite) int propertyC;

+ (Singleton *)sharedInstance;

@end

单例的关键是它只能创建一次。通常在 Objective-C 中,我们使用@synchronized()指令来确保它只被创建一次。我们把它放在一个方便的类方法中sharedInstance,并返回我们的Singleton。由于 Singleton 只是一个对象,它可以很容易地拥有多个属性、变量和方法。

// 单例.m

#import "Singleton.h"

@interface Singleton ()
{
    int variableA;
    int variableB;
    int variableC;
}
@end

@implementation Singleton

static Singleton *sharedInstance = nil;

+ (Singleton *)sharedInstance
{
    @synchronized(self) {
        if (sharedInstance == nil) {
            sharedInstance = [[Singleton alloc] init];
        }
    }
    return sharedInstance;
}

+ (id)allocWithZone:(NSZone *)zone {
    @synchronized(self) {
        if (sharedInstance == nil) {
            sharedInstance = [super allocWithZone:zone];
            return sharedInstance;
        }
    }
    return nil;
}

- (id)init {
    self = [super init];
    if (self) {
        // Inits
    }
    return self;
}

@end

这不是创建Singleton的唯一方法。请记住,重要的部分是它只能创建一次。因此,在为 OSX 和 iOS 开发(例如dispatch_once.

与单身人士交谈

因此,假设您在其他地方有另一个对象与Singleton交谈。这可以在任何地方完成#import "Singleton.h"

- (void)someMethod
{
    // Setting properties
    int valueA = 5;
    [[Singleton sharedInstance] setPropertyA:valueA];

    // Reading properties
    int valueB = [[Singleton sharedInstance] propertyB];
}
于 2013-01-18T20:02:02.510 回答