1、音效播放的一般步骤:
AudioServicesPlaySystemSound和AudioServicesPlayAlertSound方法的异同:
相同点:都可以同时播放多个音效
不同点:AudioServicesPlayAlertSound这个方法播放音效有震动,另一个方法没有
//定义soundID,并先赋值为0
SystemSoundID soundID = 0;
//获取要播放音效的URL
NSURL *url = [[NSBundle mainBundle] URLForResource:@"lose.aac" withExtension:nil];
//将音效的URL桥接为CFURLRef类型的URL
CFURLRef urlRef = (__bridge CFURLRef)(url);
//根据音效urlRef生成对应的SystemSoundID(传soundID的地址,生成之后会根据地址找到它并给它赋值)
AudioServicesCreateSystemSoundID(urlRef, &soundID);
//播放音效
AudioServicesPlaySystemSound(soundID);
// AudioServicesPlayAlertSound(soundID);
// 上面两个方法的方法的异同点:
// 相同点:都可以同时播放多个音效
// 不同点:AudioServicesPlayAlertSound这个方法播放音效有震动,另一个方法没有
2、一个界面多个音效
如果一个界面有多个音效需要播放,那么就需要定义一个可变字典,保存每个音效对应的soundID。每次播放都会从字典中找对应的soundID,这样就不用每次都创建一个soundID了。
@interface ViewController ()
/** 可变字典,保存音效ID */
@property (nonatomic, strong) NSMutableDictionary * soundIDs;
@end
可以播放音效抽取成一个方法,在需要播放的时候直接传入音效名称参数调用方法就可以播放
-(void) playSoundWithSoundName:(NSString *)soundName
{
//定义soundID,并先赋值为0
SystemSoundID soundID = 0;
//先从字典中取出soundID
soundID = [self.soundIDs[soundName] unsignedIntValue];
//如果从字典获取不到soundName对应的soundID,就创建soundID
if (soundID == 0)
{
//加载音效的URL
NSURL *url = [[NSBundle mainBundle] URLForResource:soundName withExtension:nil];
//将音效的URL桥接为CFURLRef类型的URL
CFURLRef urlRef = (__bridge CFURLRef)(url);
//根据音效URL生成对应的SystemSoundID(传soundID的地址,生成之后会根据地址找到它,并赋值)
AudioServicesCreateSystemSoundID(urlRef, &soundID);
//将这个soundID保存到字典
[self.soundIDs setValue:@(soundID) forKey:soundName];
}
//播放音效
AudioServicesPlaySystemSound(soundID);
}
3、封装播放音效工具类
如果想在整个app内调用播放音效的方法,那么可以创建一个播放音效工具类。在需要播放音效的控制器直接导入头文件,调用播放音效的类方法即可。
-
第一步:创建工具类
第2步:定义一个静态可变字典保存soundID
由于提供的是类方法来播放音效,但类方法不能访问成员属性,所以不能将保存soundID的字典定义为成员属性,只能
定义为静态变量
,还要对这个可变字典通过懒加载进行初始化
static NSMutableDictionary *_soundIDs;
+ (NSMutableDictionary *) soundIDs
{
if (_soundIDs == nil)
{
_soundIDs = [NSMutableDictionary dictionary];
}
return _soundIDs;
}
-
第3步:在.h文件提供一个播放音效的方法接口
@interface PlayAudioTool : NSObject /** 提供类方法播放音效 */ +(void) playAudioWithAudioName:(NSString *)audioName; @end
-
第4步:实现播放音效的方法
//播放音效的类方法 +(void)playAudioWithAudioName:(NSString *)audioName { //定义soundID,并先赋值为0 SystemSoundID soundID = 0; //先从字典中取出soundID soundID = [self.soundIDs[audioName] unsignedIntValue]; //如果从字典获取不到audioName对应的soundID,就创建soundID if (soundID == 0) { //加载音效的URL NSURL *url = [[NSBundle mainBundle] URLForResource:audioName withExtension:nil]; //将音效的URL桥接为CFURLRef类型的URL CFURLRef urlRef = (__bridge CFURLRef)(url); //根据音效url生成对应的SystemSoundID(传soundID的地址,生成之后会根据地址找到它,并赋值) AudioServicesCreateSystemSoundID(urlRef, &soundID); //将这个soundID保存到字典 [self.soundIDs setValue:@(soundID) forKey:audioName]; } //播放音效 AudioServicesPlaySystemSound(soundID); }