12

我看过一些视频/线程说可以创建“儿童”MOC——使用其他 MOC 作为其持久存储的 MOC。例如,在您为应用程序线程化并希望拥有一个可以保存/回滚子线程创建的更改的单个主 MOC 的上下文中很有用。(据我了解,MOC 和它的 managedObjects 必须都在同一个线程上使用)

问题是,如何创建子 MOC?我无法追踪我正在观看的介绍它们的 WWDC 视频,我所看到的一切都在谈论如何在它们制作完成后使用它们。我可以轻松分配一个新的 MOC,但我该如何设置它持久存储成为另一个 MOC?参考没有显示任何功能!

4

2 回答 2

37

创建一个您可以完全控制同步的新 MOC。这与调用init相同,与前父/子关系的行为相同。

NSManagedObjectContext *moc = [[NSManagedObjectContext alloc]
       initWithConcurrencyType:NSConfinementConcurrencyType];

您可以通过设置 MOC 的属性来将 MOC 设置为另一个 MOC:

moc.parentContext = someOtherMocThatIsNowMyParent;

在这里,孩子选择父母。我确定我的孩子希望他们是 NSManagedObjectContexts。父上下文必须是NSPrivateQueueConcurrencyTypeNSMainQueueConcurrencyType

您可以创建一个“绑定”到私有队列的 MOC:

NSManagedObjectContext *moc = [[NSManagedObjectContext alloc]
       initWithConcurrencyType:NSPrivateQueueConcurrencyType];

这意味着您只能通过performBlockperformBlockAndWaitAPI 访问它。您可以从任何线程调用这些方法,因为它们将确保块中代码的正确序列化。例如...

NSManagedObjectContext *moc = [[NSManagedObjectContext alloc]
       initWithConcurrencyType:NSPrivateQueueConcurrencyType];
moc.parentContext = someOtherMocThatIsNowMyParent;
[moc performBlock:^{
    // All code running in this block will be automatically serialized
    // with respect to all other performBlock or performBlockAndWait
    // calls for this same MOC.
    // Access "moc" to your heart's content inside these blocks of code.
}];

performBlock和之间的区别在于performBlockAndWaitperformBlock它将创建一个代码块,并使用 Grand Central Dispatch 安排它在未来某个时间在某个未知线程上异步执行。方法调用将立即返回。

performBlockAndWait将与所有其他调用进行一些神奇的同步performBlock,并且当在此之前已呈现的所有块都完成时,该块将执行。调用线程将挂起,直到此调用完成。

您还可以创建一个“绑定”到主线程的 MOC,就像私有并发一样。

NSManagedObjectContext *moc = [[NSManagedObjectContext alloc]
       initWithConcurrencyType:NSMainQueueConcurrencyType];
moc.parentContext = someOtherMocThatIsNowMyParent;
[moc performBlock:^{
    // All code running in this block will be automatically serialized
    // with respect to all other performBlock or performBlockAndWait
    // calls for this same MOC.  Furthermore, it will be serialized with
    // respect to the main thread as well, so this code will run in the
    // main thread -- which is important if you want to do UI work or other
    // stuff that requires the main thread.
}];

这意味着只有在您知道自己在主线程上通过performBlockperformBlockAndWaitAPI 时才应该直接访问它。

现在,您可以通过方法使用“主并发”MOC ,或者如果您知道您已经在主线程中运行,则可以performBlock直接使用。

于 2012-09-04T22:10:19.867 回答
1

然后初始化子 MOC:

[_childMOC performBlockAndWait:^{
            [_childMOC setParentContext:parentMOC]; 
 }];
于 2012-09-04T21:38:19.587 回答