如何在 `init` 中初始化一个线程安全的变量?

How to initialize a thread-safe variable in `init`?

我有以下代码:

{
    NSObject *_object;
}

- (instancetype)init {
    if (self = [super init]) {
        _object = [[NSObject alloc] init];
    }

    return self;
}

- (NSObject*)object {
    return _object;
}

如果在 init 完成并返回后从第二个线程调用方法 object,我如何知道 init 中对 _object 的赋值将是可见,它实际上并没有返回未分配的指针?

保证这一点的内部机制是什么?

代码的线程安全性取决于它的使用方式,而它的预期使用方式本质上是线程安全的。您不应该传递部分构造的对象,因此分配和初始化([[... alloc] init]new)应该限制在单个线程中,然后传递给其他线程。

使用dispatch_once。这保证 运行 无论有多少线程都只执行一次。例如

+ (MyClass *)sharedInstance
{
    //  Static local predicate must be initialized to 0
    static MyClass *sharedInstance = nil;
    static dispatch_once_t onceToken = 0;
    dispatch_once(&onceToken, ^{
        sharedInstance = [[MyClass alloc] init];
        // Do any other initialisation stuff here
    });
    return sharedInstance;
}