observeValueForKeyPath未被调用



我正在开发一个测试应用程序,其中有一个NSOperationQueue。我正在创建一个NSInvocationOperation,并观察该操作的"isFinished"属性。奇怪的是,observeValueForKeyPath有时只被调用。我无法理解我每次都必须做出的改变。请帮忙。

这是我写的代码:

-(BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
{
    ........//initialization
    queue = [NSOperationQueue new];
    operation=[NSInvocationOperation new];
    operation = [[NSInvocationOperation alloc]initWithTarget:self     selector:@selector(CreateOperationWithContext:) object:context];
    [operation addObserver:self forKeyPath:@"isFinished" options:(NSKeyValueObservingOptionNew | NSKeyValueObservingOptionOld) context:NULL];
    [queue addOperation:operation];
    ..... // launch the view controller
}
-(void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary *)change context:(void *)context
{
    if ([keyPath isEqualToString:@"isFinished"]) {
        NSLog(@"came in");
        [operation removeObserver:self forKeyPath:@"isFinished"];
    }
    else
    {
        [super observeValueForKeyPath:keyPath ofObject:object change:change context:context];
    }
}

以下代码适用于我。我从iOS单视图应用程序模板开始。以下是我所拥有的:

@implementation SOAppDelegate
{
    NSOperationQueue* queue;
    NSOperation* operation;
}
- (void)CreateOperationWithContext: (id)foo
{
    NSLog(@"Op ran");
}
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions
{
    queue = [NSOperationQueue new];
    // operation = [NSInvocationOperation new]; // Commented this out because it's redundant with the next line
    operation = [[NSInvocationOperation alloc] initWithTarget:self selector:@selector(CreateOperationWithContext:) object:[NSObject new]];
    [operation addObserver:self forKeyPath:@"isFinished" options:(NSKeyValueObservingOptionNew | NSKeyValueObservingOptionOld) context:NULL];
    [queue addOperation:operation];
    return YES;
}
- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary *)change context:(void *)context
{
    if ([keyPath isEqualToString:@"isFinished"])
    {
        NSLog(@"came in");
        [operation removeObserver:self forKeyPath:@"isFinished"];
    }
    else
    {
        [super observeValueForKeyPath:keyPath ofObject:object change:change context:context];
    }
}
// ... rest of empty default app delegate methods here...
@end

在控制台中,我看到:

2013-08-13 08:04:15.150 TestOpKVO[71373:20b] Op ran
2013-08-13 08:04:21.903 TestOpKVO[71373:20b] came in

因此,-CreateOperationWithContext:的某些实现引起了麻烦。也就是说,即使我将操作更改为抛出异常,我仍然会看到KVO通知被调用。

如果我是你,我会从这个非常基本的工作示例开始,然后一步一步地进行调整,使其适应你的真实代码,在每一步都进行检查,以确保通知仍然有效。

一些提示:(可能与您看到的问题无关,但使用KVO的良好实践)

首先,将KVO上下文用于您的观察。它更安全,更具确定性。请参阅我在这里写的答案以了解详细信息。

其次,不要从-observeValueForKeyPath:(或-addObserver:...)的调用内部调用-removeObserver:forKeyPath:,以获取通知的同一keyPath。这有可能扰乱KVO的内部观测器数据结构,并可能导致非确定性崩溃,让你抓狂。请参阅我在这里写的答案以了解详细信息。

最新更新