iOS基础:AVPlayer的入门以及应用(自定义播放管理器的开发)

一、闲谈

一直用着网易云音乐这个app,也一直想要模拟着它做一个却总是懒得迈出第一步,最近终于下定决心,打算先做一点最基础的。一个音乐播放器最基础的当然就是播放管理器了。

二、AVPlayer的入门

其实AVPlayer用起来很简单,我也就不说废话,直接放上代码。

第一步:初始化等操作

// 初始化一个AVPlayer
self.player = [[AVPlayer alloc] init];
// 创建一个item
AVPlayerItem *item =[AVPlayerItem playerItemWithURL:[NSURL URLWithString:@"http://m2.music.126.net/lpeVipLJshTxA-T7xjFI2g==/1046735069650768.mp3"]];
// 监听status属性
[item addObserver:self forKeyPath:@"status" options:NSKeyValueObservingOptionNew context:nil];
// 监听loadedTimeRanges属性
[item addObserver:self forKeyPath:@"loadedTimeRanges" options:NSKeyValueObservingOptionNew context:nil];
// 设置player的item
[self.player replaceCurrentItemWithPlayerItem:item];

下面再补充一下监听的两个属性。

1.status

这个属性指的是item的状态,状态一共有三种,如下:

typedef NS_ENUM(NSInteger, AVPlayerItemStatus) {
    AVPlayerItemStatusUnknown,
    AVPlayerItemStatusReadyToPlay,
    AVPlayerItemStatusFailed
};

显然,当status为AVPlayerItemStatusReadyToPlay的时候,就说明可以播放了。

2.loadedTimeRanges

这个属性主要是用在获取缓冲的进度的,具体的使用在下文会说到。

第二步:响应监听

既然有监听,那就肯定要响应。先上代码:

- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary<NSString *,id> *)change context:(void *)context
{
    if ([keyPath isEqualToString:@"status"]) {
        AVPlayerItemStatus status =[change[@"new"]integerValue];//change为string类型
        switch (status) {
            case AVPlayerItemStatusUnknown:
                NSLog(@"AVPlayerItemStatusUnknown");
                break;          
            case AVPlayerItemStatusReadyToPlay:
                //调用播放方法
                [self.player play];
                break;
            case AVPlayerItemStatusFailed:{
                NSLog(@"AVPlayerItemStatusFailed");
                break;
            }          
            default:
                break;
        }
    } else if ([keyPath isEqualToString:@"loadedTimeRanges"]) {
        // 计算缓冲的进度百分比
        float timeInterval= [self availableDuration];
        NSInteger totalDuration = [self fetchTotalTime];
        // 打印缓冲进度的百分比
        NSLog(@"进度百分比%f", timeInterval / totalDuration);
    }
}

其中监听item的状态的代码就不需要说了,只需要在AVPlayerItemStatusReadyToPlay后加上

[self.player play];

就可以了。
下面讲一下计算缓冲的进度百分比的思路,其实也很简单,先获取到缓冲的进度,再获取到总的时间,然后 缓冲的进度/总时间 就是缓冲的百分比。

自己写一个获取总时间的方法:
// 获取总时间,总秒数
- (NSInteger)fetchTotalTime
{
    //获取当前播放歌曲的总时间
    CMTime time = self.player.currentItem.duration;
    
    if (time.timescale == 0) {
        return 0;
    }
    //播放秒数 = time.value/time.timescale
    return time.value/time.timescale;
}
自己写一个获取缓冲总进度的方法:
- (float)availableDuration
{
    NSArray *loadedTimeRanges = [[self.player currentItem] loadedTimeRanges];
    CMTimeRange timeRange = [loadedTimeRanges.firstObject CMTimeRangeValue];// 获取缓冲区域
    float startSeconds = CMTimeGetSeconds(timeRange.start);
    float durationSeconds = CMTimeGetSeconds(timeRange.duration);
    float result = startSeconds + durationSeconds;// 计算缓冲总进度
    return result;
}

补充一点CMTimeRange的知识:

typedef struct
{
    CMTime          start;      /*! @field start The start time of the time range. */
    CMTime          duration;   /*! @field duration The duration of the time range. */
} CMTimeRange;

start表示的是开始时间,duration表示的是时间范围的持续时间。所以这边缓冲的总进度就是两者相加了。

入门写到这里,下面是自定义一个播放管理器

三、自定义播放管理器

1.创建类并声明方法

想象一下一个播放管理器会有哪些方法,播放,暂停,开始播放网络音乐,开始播放本地音乐,甚至还有拉进度条来快进快退。代码如下:

//单例
+ (instancetype)sharedPlayerManager;

//暂停
- (void)pasuseMusic;

//播放
- (void)playMusic;

//准备去播放
- (void)prepareToPlayMusicWithUrl:(NSString *)url;

//本地播放方法
- (void)prepareToPlayMusicWithFilePath:(NSString *)musicFilePath;

//快进快退方法
- (void)playMusicWithSliderValue:(CGFloat)peogress;

2.相关方法的实现

趁热打铁,先写播放歌曲方法

// 播放网络歌曲
- (void)prepareToPlayMusicWithUrl:(NSString *)url
{
    if (!url) {
        return;
    }
    //判断当前有没有正在播放的item
    if (self.player.currentItem) {
        //移除观察者
        [self.player.currentItem removeObserver:self forKeyPath:@"status"];
        [self.player.currentItem removeObserver:self forKeyPath:@"loadedTimeRanges"];
    }
    //创建一个item
    AVPlayerItem *item =[AVPlayerItem playerItemWithURL:[NSURL URLWithString:url]];
    //观察item的加载状态
    [item addObserver:self forKeyPath:@"status" options:NSKeyValueObservingOptionNew context:nil];
    [item addObserver:self forKeyPath:@"loadedTimeRanges" options:NSKeyValueObservingOptionNew context:nil];
    //替换当前item
    [self.player replaceCurrentItemWithPlayerItem:item];
    //播放完成后自动跳到下一首
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(nextMusic) name:AVPlayerItemDidPlayToEndTimeNotification object:nil];

}

// 播放本地歌曲
- (void)prepareToPlayMusicWithFilePath:(NSString *)musicFilePath
{
    //判断当前有没有正在播放的item
    if (self.player.currentItem) {
        //移除观察者
        [self.player.currentItem removeObserver:self forKeyPath:@"status"];
        [self.player.currentItem removeObserver:self forKeyPath:@"loadedTimeRanges"];
    }
    //创建一个item
    AVPlayerItem *item =[AVPlayerItem playerItemWithURL:[NSURL fileURLWithPath:musicFilePath]];
    
    //观察item的加载状态
    [item addObserver:self forKeyPath:@"status" options:NSKeyValueObservingOptionNew context:nil];
    [item addObserver:self forKeyPath:@"loadedTimeRanges" options:NSKeyValueObservingOptionNew context:nil];
    //替换当前item
    [self.player replaceCurrentItemWithPlayerItem:item];
    //播放完成后自动跳到下一首
    [[NSNotificationCenter defaultCenter]addObserver:self selector:@selector(nextMusic) name:AVPlayerItemDidPlayToEndTimeNotification object:nil];
}

再写相关私有方法

#pragma mark - 私有方法
// 获取当前时间
- (NSInteger)fetchCurrentTime
{
    CMTime time = self.player.currentItem.currentTime;
    if (time.timescale == 0) {
        return 0;
    }
    return time.value/time.timescale;
}

// 获取总时间时间
- (NSInteger)fetchTotalTime
{
    CMTime time = self.player.currentItem.duration;
    if (time.timescale == 0) {
        return 0;
    }
    return time.value/time.timescale;
}

// 获取当前播放进度
- (CGFloat)fetchProgressValue
{
    return [self fetchCurrentTime]/(CGFloat)[self fetchTotalTime];
}

// 获取缓冲进度
- (float)availableDuration
{
    NSArray *loadedTimeRanges = [[self.player currentItem] loadedTimeRanges];
    CMTimeRange timeRange = [loadedTimeRanges.firstObject CMTimeRangeValue];// 获取缓冲区域
    float startSeconds = CMTimeGetSeconds(timeRange.start);
    float durationSeconds = CMTimeGetSeconds(timeRange.duration);
    float result = startSeconds + durationSeconds;// 计算缓冲总进度
    return result;
}

//将秒数转化成类似00:00的格式,用于界面显示
- (NSString *)changeSecondsTime:(NSInteger)time
{
    NSInteger min =time/60;
    NSInteger seconds =time % 60;
    return [NSString stringWithFormat:@"%.2ld:%.2ld",min,seconds];
}

监听响应

- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary<NSString *,id> *)change context:(void *)context
{
    if ([keyPath isEqualToString:@"status"]) {
        AVPlayerItemStatus status =[change[@"new"]integerValue];//change为string类型
        switch (status) {
            case AVPlayerItemStatusUnknown:
                NSLog(@"未知错误");
                break;
            case AVPlayerItemStatusReadyToPlay:
                //调用播放方法
                [self.player play];
                break;
            case AVPlayerItemStatusFailed:{
                NSLog(@"错误");
                break;
            }
            default:
                break;
        }
    } else if ([keyPath isEqualToString:@"loadedTimeRanges"]) {
        float timeInterval= [self availableDuration];
        NSInteger totalDuration = [self fetchTotalTime];
        NSLog(@"==%f", timeInterval / totalDuration);
    }
}

由于始终要刷新界面的进度条,所以我们要创建一个timer来时刻返回当前的时间。这里我用的是代理模式。同时加两个开关定时器的私有方法。

// timer懒加载
- (NSTimer *)timer {
    if (!_timer) {
        _timer =[NSTimer scheduledTimerWithTimeInterval:0.1 target:self selector:@selector(timerAction) userInfo:nil repeats:YES];
    }
    return _timer;
}

//定时器方法
- (void)timerAction {
    if ([self.delegate respondsToSelector:@selector(playManagerDelegateFetchTotalTime:currentTime:progress:)]) {
        //1.总时间  2.当期时间 3.当前进度
        NSString *totalTime = [self changeSecondsTime:[self fetchTotalTime]];//总时间
        NSString *currentTime =[self changeSecondsTime:[self fetchCurrentTime]];//当前时间
        CGFloat progress = [self fetchProgressValue];
        
        [self.delegate playManagerDelegateFetchTotalTime:totalTime  currentTime:currentTime  progress:progress];
    }
}

//开启定时器
- (void)startTimer
{
    [self.timer fire];
}

//关闭定时器
- (void)closeTimer
{
    [self.timer invalidate];
    self.timer = nil;  //置空
}

最后完成剩下的方法

// 暂停
- (void)pasuseMusic
{
    [self.player pause];
    [self closeTimer];
}

// 播放
- (void)playMusic
{
    [self.player play];
    [self startTimer];
}

//快进快退
- (void)playMusicWithSliderValue:(CGFloat)peogress{
    //滑动之前 先暂停音乐
    [self pasuseMusic];
    [self.player seekToTime:CMTimeMake([self fetchTotalTime] * peogress, 1) completionHandler:^(BOOL finished) {
        if (finished) {
            //活动结束继续播放
            [self playMusic];
        }
    }];
}

好了,到这边所有的方法都完成了。我把代码全部再贴上。
.h文件

#import <Foundation/Foundation.h>
#import <AVFoundation/AVFoundation.h>

@protocol YQPlayerManagerDelegate <NSObject>
// 传递播放时间总时间等信息
-(void)playManagerDelegateFetchTotalTime:(NSString *)totalTime currentTime:(NSString *)currentTime progress:(CGFloat)progress;
// 传递播放的进度百分比
- (void)playManagerDelegateFetchLoadedTimeRanges:(CGFloat)loadPercent;
// 下一首歌
- (void)playNextMusic;
@end

@interface YQPlayerManager : NSObject

@property (nonatomic, weak) id <YQPlayerManagerDelegate> delegate;

//单例
+ (instancetype)sharedPlayerManager;

//暂停
- (void)pasuseMusic;

//播放
- (void)playMusic;

//准备去播放
- (void)prepareToPlayMusicWithUrl:(NSString *)url;

//本地播放方法
- (void)prepareToPlayMusicWithFilePath:(NSString *)musicFilePath;

//快进快退方法
- (void)playMusicWithSliderValue:(CGFloat)peogress;
@end

.m文件

#import "YQPlayerManager.h"

@interface YQPlayerManager()
@property (nonatomic, strong) AVPlayer *player;
@property (nonatomic, strong) NSTimer *timer;
@end

@implementation YQPlayerManager

// timer懒加载
- (NSTimer *)timer {
    if (!_timer) {
        _timer =[NSTimer scheduledTimerWithTimeInterval:0.1 target:self selector:@selector(timerAction) userInfo:nil repeats:YES];
    }
    return _timer;
}

//定时器方法
- (void)timerAction {
    if ([self.delegate respondsToSelector:@selector(playManagerDelegateFetchTotalTime:currentTime:progress:)]) {
        //1.总时间  2.当期时间 3.当前进度
        NSString *totalTime = [self changeSecondsTime:[self fetchTotalTime]];//总时间
        NSString *currentTime =[self changeSecondsTime:[self fetchCurrentTime]];//当前时间
        CGFloat progress = [self fetchProgressValue];
        [self.delegate playManagerDelegateFetchTotalTime:totalTime  currentTime:currentTime  progress:progress];
    }
}

//开启定时器
- (void)startTimer
{
    [self.timer fire];
}

//关闭定时器
- (void)closeTimer
{
    [self.timer invalidate];
    self.timer = nil;  //置空
}


//player懒加载
- (AVPlayer *)player
{
    if (_player == nil) {
        _player = [[AVPlayer alloc] init];
    }
    return _player;
}


//单例
+ (instancetype)sharedPlayerManager {
    static YQPlayerManager *handle = nil;
    static dispatch_once_t onceToken;
    dispatch_once(&onceToken, ^{
        handle = [[YQPlayerManager alloc] init];
    });
    return handle;
}

// 暂停
- (void)pasuseMusic
{
    [self.player pause];
    [self closeTimer];
}

// 播放
- (void)playMusic
{
    [self.player play];
    [self startTimer];
}

// 播放网络歌曲
- (void)prepareToPlayMusicWithUrl:(NSString *)url
{
    if (!url) {
        return;
    }
    //判断当前有没有正在播放的item
    if (self.player.currentItem) {
        //移除观察者
        [self.player.currentItem removeObserver:self forKeyPath:@"status"];
        [self.player.currentItem removeObserver:self forKeyPath:@"loadedTimeRanges"];
    }
    //创建一个item
    AVPlayerItem *item =[AVPlayerItem playerItemWithURL:[NSURL URLWithString:url]];
    //观察item的加载状态
    [item addObserver:self forKeyPath:@"status" options:NSKeyValueObservingOptionNew context:nil];
    [item addObserver:self forKeyPath:@"loadedTimeRanges" options:NSKeyValueObservingOptionNew context:nil];
    //替换当前item
    [self.player replaceCurrentItemWithPlayerItem:item];
    //播放完成后自动跳到下一首
    [[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(nextMusic) name:AVPlayerItemDidPlayToEndTimeNotification object:nil];

}

// 播放本地歌曲
- (void)prepareToPlayMusicWithFilePath:(NSString *)musicFilePath
{
    //判断当前有没有正在播放的item
    if (self.player.currentItem) {
        //移除观察者
        [self.player.currentItem removeObserver:self forKeyPath:@"status"];
        [self.player.currentItem removeObserver:self forKeyPath:@"loadedTimeRanges"];
    }
    //创建一个item
    AVPlayerItem *item =[AVPlayerItem playerItemWithURL:[NSURL fileURLWithPath:musicFilePath]];
    
    //观察item的加载状态
    [item addObserver:self forKeyPath:@"status" options:NSKeyValueObservingOptionNew context:nil];
    [item addObserver:self forKeyPath:@"loadedTimeRanges" options:NSKeyValueObservingOptionNew context:nil];
    //替换当前item
    [self.player replaceCurrentItemWithPlayerItem:item];
    //播放完成后自动跳到下一首
    [[NSNotificationCenter defaultCenter]addObserver:self selector:@selector(nextMusic) name:AVPlayerItemDidPlayToEndTimeNotification object:nil];
}

//快进快退
- (void)playMusicWithSliderValue:(CGFloat)peogress{
    //滑动之前 先暂停音乐
    [self pasuseMusic];
    [self.player seekToTime:CMTimeMake([self fetchTotalTime] * peogress, 1) completionHandler:^(BOOL finished) {
        if (finished) {
            //活动结束继续播放
            [self playMusic];
        }
    }];
}

- (void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary<NSString *,id> *)change context:(void *)context
{
    if ([keyPath isEqualToString:@"status"]) {
        AVPlayerItemStatus status =[change[@"new"]integerValue];//change为string类型
        switch (status) {
            case AVPlayerItemStatusUnknown:
                NSLog(@"未知错误");
                break;
            case AVPlayerItemStatusReadyToPlay:
                // 调用播放方法 
                // 注意这里要改成[self playMusic];而不是还是原来的[self.player play],否则无法开启定时器!!!
                [self playMusic];
                break;
            case AVPlayerItemStatusFailed:{
                NSLog(@"错误");
                break;
            }
            default:
                break;
        }
    } else if ([keyPath isEqualToString:@"loadedTimeRanges"]) {
        float timeInterval= [self availableDuration];
        NSInteger totalDuration = [self fetchTotalTime];
        float percent = timeInterval /totalDuration;
        if (percent > 1) {
            percent = 1;
        }
        if ([self.delegate respondsToSelector:@selector(playManagerDelegateFetchLoadedTimeRanges:)]) {
            [self.delegate playManagerDelegateFetchLoadedTimeRanges:percent];
        }
    }
}

#pragma mark - 私有方法
- (void)nextMusic
{
    if ([self.delegate respondsToSelector:@selector(playNextMusic)]) {
        [self.delegate playNextMusic];
    }
}

// 获取当前时间
- (NSInteger)fetchCurrentTime
{
    CMTime time = self.player.currentItem.currentTime;
    if (time.timescale == 0) {
        return 0;
    }
    return time.value/time.timescale;
}

// 获取总时间时间
- (NSInteger)fetchTotalTime
{
    CMTime time = self.player.currentItem.duration;
    if (time.timescale == 0) {
        return 0;
    }
    return time.value/time.timescale;
}

// 获取当前播放进度
- (CGFloat)fetchProgressValue
{
    return [self fetchCurrentTime]/(CGFloat)[self fetchTotalTime];
}

// 获取缓冲进度
- (float)availableDuration
{
    NSArray *loadedTimeRanges = [[self.player currentItem] loadedTimeRanges];
    CMTimeRange timeRange = [loadedTimeRanges.firstObject CMTimeRangeValue];// 获取缓冲区域
    float startSeconds = CMTimeGetSeconds(timeRange.start);
    float durationSeconds = CMTimeGetSeconds(timeRange.duration);
    float result = startSeconds + durationSeconds;// 计算缓冲总进度
    return result;
}

//将秒数转化成类似00:00的格式,用于界面显示
- (NSString *)changeSecondsTime:(NSInteger)time
{
    NSInteger min =time/60;
    NSInteger seconds =time % 60;
    return [NSString stringWithFormat:@"%.2ld:%.2ld",min,seconds];
}

3.使用管理器

在视图控制器中使用,上代码:

- (void)viewDidLoad
{
    [super viewDidLoad];
    
    YQPlayerManager *manager = [YQPlayerManager sharedPlayerManager];
    [manager prepareToPlayMusicWithUrl:@"http://m2.music.126.net/lpeVipLJshTxA-T7xjFI2g==/1046735069650768.mp3"];
    manager.delegate = self;
}

-  (void)playManagerDelegateFetchTotalTime:(NSString *)totalTime currentTime:(NSString *)currentTime progress:(CGFloat)progress
{
    NSLog(@"%@---%@---%f", totalTime, currentTime, progress);
}

- (void)playManagerDelegateFetchLoadedTimeRanges:(CGFloat)loadPercent
{
    NSLog(@"%f", loadPercent);
}

- (void)playNextMusic
{
    NSLog(@"playNextMusic");
}

结果:

结果展示.gif

最后

到这里就全部搞定了,喜欢的点个赞呗~

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 204,445评论 6 478
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 85,889评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 151,047评论 0 337
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 54,760评论 1 276
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 63,745评论 5 367
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 48,638评论 1 281
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,011评论 3 398
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 36,669评论 0 258
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 40,923评论 1 299
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 35,655评论 2 321
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 37,740评论 1 330
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,406评论 4 320
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 38,995评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 29,961评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,197评论 1 260
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,023评论 2 350
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,483评论 2 342

推荐阅读更多精彩内容