我正在使用AVPlayer
在我的iOS应用程序中构建音乐播放器。我听这样的AVPlayer.status
属性的变化,知道什么时候可以播放音频:
player.currentItem!.addObserver(self, forKeyPath: "status", options: .New, context: nil)
当状态为.ReadyToPlay
时,我会自动开始播放:
override func observeValueForKeyPath(keyPath: String?, ofObject object: AnyObject?, change: [String : AnyObject]?, context: UnsafeMutablePointer<Void>) {
if (keyPath == "status") {
if let currentItem = self.player?.currentItem {
let status = currentItem.status
if (status == .ReadyToPlay) {
self.play()
}
}
}
}
}
效果很好。然而,问题是,如果我开始在我的应用程序中播放音乐,暂停音乐,然后离开应用程序并开始播放音乐,例如Spotify,AVPlayer
的状态属性似乎再次更改为.ReadyToPlay
应用程序到达前台,导致观察者发射,这反过来导致音乐再次开始播放。
我假设当应用程序再次获得焦点时,AVPlayer实例会发生某些事情,这会导致status属性更改/刷新。
我该如何防止这种行为?
这似乎是预期的行为。如果您想确保仅在AVPlayerItem
状态第一次更改时才开始播放,请在调用play()
后删除观察者。
这里需要注意的是,当玩家更换currentItem
时,你应该已经移除了观察者,所以你需要使用一个额外的标志来跟踪你是否正在观察现有的currentItem
。
玩家的所有者将跟踪状态
var isObservingCurrentItem = false
并在添加观察者时更新/检查该状态
if currentItem = player.currentItem where isObservingCurrentItem {
currentItem.removeObserver(self, forKeyPath:"status")
}
player.currentItem!.addObserver(self, forKeyPath: "status", options: .New, context: nil)
isObservingCurrentItem = true
然后,一旦玩家准备好玩,你就可以安全地移除观察者
override func observeValueForKeyPath(keyPath: String?, ofObject object: AnyObject?, change: [String : AnyObject]?, context: UnsafeMutablePointer<Void>) {
if let object = object,
keyPath = keyPath,
currentItem = self.player?.currentItem,
status = currentItem.status
where status == .ReadyToPlay {
self.play()
object.removeObserver(self, forKeyPath:keyPath)
isObservingCurrentItem = false
}
}