关于objective C:如何观察来自不同应用程序的通知?

How to observe notifications from a different application?

我想在某个应用程序触发事件时收到通知。我不是 Objective-C 开发人员,也不知道 OS X API——所以我希望这个问题不是太基础。

我的目标是将当前播放歌曲的元信息写入日志文件。对于 iTunes,我使用以下 Objective-C 行:

1
2
3
[[NSDistributedNotificationCenter defaultCenter]
 addObserver: myObserver selector: @selector(observeNotification:)
 name: @"com.apple.iTunes.playerInfo" object:nil];

但是,AirServer(它是一个软件 AirPlay 接收器)也需要这个。不幸的是,以下内容不起作用——观察者永远不会被调用:

1
2
3
[[NSDistributedNotificationCenter defaultCenter]
 addObserver: myObserver selector: @selector(observeNotification:)
 name: @"com.pratikkumar.airserver-mac" object:nil];

显然,AirServer 不会发送这些类型的通知。但是,当新歌曲开始播放时,通知中心会有通知。

我的下一步是定期检查 OS X 通知中心中的新通知(如此处所述:https://stackoverflow.com/a/25930769/1387396)。不过这不太干净——所以我的问题是:在这种特殊情况下还有其他选择吗?


Catalina silently changed the addObserver behavior - you can no longer use a nil value for the name to observe all notifications - you have to pass in a name. This makes discovery of event names more difficult.

首先,你要明白,虽然NSDistributedNotificationCenter里面有Notification这个词;这不相关。从关于本地通知和远程通知中,它确实声明:

Note: Remote notifications and local notifications are not related to broadcast notifications (NSNotificationCenter) or key-value observing notifications.

所以,在这一点上,我将从 NSDistributedNotificationCenter 的angular回答,而不是关于远程/本地通知 - 你已经在你链接的答案中找到了一个潜在的解决方案,用于观察包含一个以这种方式记录通知。

由于 API 行为更改,此示例代码将无法在 Catalina (10.15) 上运行

您需要做的第一件事是收听正确的通知。创建一个简单的应用程序来监听所有事件;例如使用:

1
2
3
4
5
6
7
8
9
10
NSDistributedNotificationCenter *center = [NSDistributedNotificationCenter defaultCenter];
[center addObserver:self
           selector:@selector(notificationEvent:)
               name:nil
             object:nil];


-(void)notificationEvent:(NSNotification *)notif {
    NSLog(@"%@", notif);
}

表示通知为:

1
2
3
4
5
6
7
8
__CFNotification 0x6100000464b0 {name = com.airserverapp.AudioDidStart; object = com.pratikkumar.airserver-mac; userInfo = {
    ip ="2002:d55e:dbb2:1:10e0:1bfb:4e81:b481";
    remote = YES;
}}
__CFNotification 0x618000042790 {name = com.airserverapp.AudioDidStop; object = com.pratikkumar.airserver-mac; userInfo = {
    ip ="2002:d55e:dbb2:1:10e0:1bfb:4e81:b481";
    remote = YES;
}}

这表示addObserver调用中的name参数应该是com.airserverapp.AudioDidStartcom.airserverapp.AudioDidStop

您可以使用这样的代码来确定所有通知,这将允许您在需要特定观察者时添加相关观察者。这可能是观察此类通知的最简单方法。