我有一项由几个子任务组成的大任务。我想为这项大任务添加进度报告。
为此我想使用NSProgress
,并且根据类文档,我可以通过使用它的子-父机制来完成这种子任务进度。
所以为了简化它,假设我有一个由一个子任务组成的大任务(当然在现实生活中会有更多的子任务)。所以这就是我所做的:
#define kFractionCompletedKeyPath @"fractionCompleted"
- (void)runBigTask {
_progress = [NSProgress progressWithTotalUnitCount:100]; // 100 is arbitrary
[_progress addObserver:self
forKeyPath:kFractionCompletedKeyPath
options:NSKeyValueObservingOptionNew
context:NULL];
[_progress becomeCurrentWithPendingUnitCount:100];
[self subTask];
[_progress resignCurrent];
}
- (void)subTask {
NSManagedObjectContext *parentContext = self.managedObjectContext; // self is AppDelegate in this example
NSManagedObjectContext *bgContext = [[NSManagedObjectContext alloc]initWithConcurrencyType:NSPrivateQueueConcurrencyType];
[bgContext setParentContext:parentContext];
[bgContext performBlockAndWait:^{
NSInteger totalUnit = 1000;
NSInteger completedUnits = 0;
NSProgress *subProgress = [NSProgress progressWithTotalUnitCount:totalUnit];
for (int i=0; i < totalUnit; i++) {
// run some Core Data related code...
completedUnits++;
subProgress.completedUnitCount = completedUnits;
}
}];
}
- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary *)change context:(void *)context {
if ([keyPath isEqualToString:kFractionCompletedKeyPath]) {
if ([object isKindOfClass:[NSProgress class]]) {
NSProgress *progress = (NSProgress *)object;
NSLog(@"progress… %f", progress.fractionCompleted);
}
} else {
[super observeValueForKeyPath:keyPath ofObject:object change:change context:context];
}
}
可以看到,子任务使用后台上下文运行一些Core Data相关的代码,后台上下文使用主上下文作为他的父上下文。
这会导致进度的“fractionCompleted”属性出现一些奇怪的 KVO。
这是印刷品:
progress… 1.000000 // why???
progress… 0.500000 // why?????
progress… 1.000000 // why???????
progress… 0.666650 // why???????????
progress… 0.666990
progress… 0.667320
progress… 0.667660
progress… 0.667990
progress… 0.668320
...
progress… 1.000000
如您所见,打印从 1.0、0.5 和 1.0 开始,然后是 0.66?!
从这里它表现正常并像我预期的那样进入1.0。
我试图理解为什么会发生这种情况,我注意到如果我从背景上下文中删除父上下文,它工作正常!我从 0.0 进步到 1.0。
任何想法为什么会发生这种情况?我该如何解决?
我添加了一个非常 简单的项目来演示这个问题(您可以删除 setParentContext: 调用以查看它在没有它的情况下也能正常工作)