上一篇文章已经可以完成简单的音频播放,但是一旦APP切入后台音频就会停止播放,如果你想让你的APP切入后台时不会被终止,那么就需要在
AVAudioSession
中做一些调整, 没看的小伙伴可以点击这里:iOS如何播放音频 - AVAudioPlayer。
一、先来看看什么是AVAudioSession
-
AVAudioSession
是一个音频会话,它就像一个APP与系统之间音频交互的桥梁,通过这个桥梁我们能够对APP的一些音频行为制定规则
而操作系统就会根据规则来处理我们的音频。 - 所有iOS应用程序都具有音频会话,无论是否使用。
二、音频会话分类(我把它叫规则)
分类(规则) | 作用 | 是否允许混音 | 音频输入 | 音频输出 |
---|---|---|---|---|
Ambient | 游戏,效率程序 | Y | Y | |
Solo Ambient(默认) | 游戏,效率程序 | Y | ||
Playback | 音频和视频播放器 | Y/N | Y | |
Record | 录音机、音频捕捉 | Y | ||
Play and Recoed | VoIP、语音聊天 | Y/N | Y | Y |
Audio Processing | 离线会话和处理 | |||
Multi-Route | 使用外部硬件的高级A/V应用程序 | Y | Y |
上面的表格是AVFoundation定义的七种分类(规则),用来描述应用程序所使用的音频行为。这七种分类可以满足大部分应用程序的需要,如果想要实现更复杂的功能,其中一些分类可以通过options和modes方法进一步自定义开发。optins可以让开发者使用一些附加行为,modes可以通过引入被定制的行为进一步对分类进行修改。
三、配置音频会话
- 音频会话在应用程序的生命周期中可以进行修改,但通常我们只对其配置一次,所以在AppDelegate里配置是个不错的选择。
- (BOOL)application:(UIApplication *)application didFinishLaunchingWithOptions:(NSDictionary *)launchOptions {
//设置应用的音频会话
AVAudioSession *session = [AVAudioSession sharedInstance];
NSError *error = nil;
//设置会话的分类(规则)
if (![session setCategory:AVAudioSessionCategoryPlayback error:&error]) {
NSLog(@"配置会话分类错误 = %@",[error localizedDescription]);
}
//开启会话
if (![session setActive:YES error:&error]) {
NSLog(@"会话开启失败");
}
return YES;
}
- 你以为这样就能让音频在后台播放了么?太天真了骚年,你还要配置下info.plist文件直接粘贴以下代码。
<key>UIBackgroundModes</key>
<array>
<string>audio</string>
</array>
好了,这样就能让音频在APP切入后台的时候继续播放APP的音频,不过你听得正嗨的时候电话来了,音频会停止(正常需求),而电话结束时你会发现你的音频也不会恢复播放。那如何让结束电话的同时继续播放音频呢?
四、处理中断的音频
首先我们要知道,音频是谁中断的?答案是操作系统,当电话来的时候,操作系统就会让音频发生中断,并发送一个中断通知。所以这就好办了,我们只要监听到中断的产生和结束通知,我们就能让应用程序对系统发送的通知进行一些我们想要的操作。
1.注册中断通知 AVAudioSessionInterruptionNotification
NSNotificationCenter *nsnc = [NSNotificationCenter defaultCenter];
//注册音频中断时的通知
[nsnc addObserver:self
selector:@selector(handleInterruption:)
name:AVAudioSessionInterruptionNotification
object:[AVAudioSession sharedInstance]];
2.处理中断
- (void)handleInterruption:(NSNotification *)notification {
NSDictionary *info = notification.userInfo;
//一个中断状态类型
AVAudioSessionInterruptionType type = \
[info[AVAudioSessionInterruptionTypeKey] integerValue];
NSLog(@"%zd",type);
//判断开始中断还是中断已经结束
if (type == AVAudioSessionInterruptionTypeBegan) {
//停止音频播放
//处理业务逻辑
}else {
//如果中断结束会附带一个KEY值,表明是否应该恢复音频
AVAudioSessionInterruptionOptions options = \
[info[AVAudioSessionInterruptionOptionKey] integerValue];
if (options == AVAudioSessionInterruptionOptionShouldResume) {
//恢复播放
//处理业务逻辑
}
}
}