什么是后台
当我们在手机上按下Home或是锁屏键后,APP就会进入后台工作;或是切换到其他的APP界面的时候,之前的APP也会进入到后台的运行模式下。
为什么需要后台运行
APP正常进入后台后,在没有任何后台申请权限的状态下,只能存活大约200s的运行时间,之后程序将自动被系统挂起,这时候APP将不会处理程序的任何数据请求和逻辑处理;但有时候我们需要程序进入后台后一直保持运行状态,这时候就需要做什么呢?
流程
当离开APP触动的方法:func applicationDidEnterBackground(_ application: UIApplication)
;
当快要进入APP时的触动方法:func applicationWillEnterForeground(_ application: UIApplication)
当程序将要进入后台(墓碑状态):func applicationWillResignActive(_ application: UIApplication)
场景
1.需要APP退出后进入到后台模式下,并一直处于运行的状态中。
2.通过消息推送的方式触点式的激活程序运行。
我这边遇到的开发需求是:当用户切换或锁屏的状态下,当APP中的个人健康的数据达到报警的情况下,需要APP播放警报语音并且在APP中刷新用户的当前数据。
那么我这边采用的是两种方式:
一是APP进入后台以后,程序会一直申请资源运行,并且每十分钟进行一次数据请求,采集用户的个人数据,并作出相应的操作;
二是通过推送消息(服务器那边会做报警的推送),APP端通过fetch消息,然后激活程序。
权限申请
image.png说明:App plays audio or streams audio/video using AirPlay
申请APP后台的音频流的运行权限;
App downloads content from the network
申请APP后台的推送唤起的运行权限;
那么主要看看代码吧:
var count = 0
var timer: Timer?
var bgTask: UIBackgroundTaskIdentifier?
func applicationDidEnterBackground(_ application: UIApplication) {
timer = Timer.scheduledTimer(timeInterval: 1, target: self, selector: #selector(timerAction), userInfo: nil, repeats: true)
RunLoop.current.add(timer!, forMode: .commonModes)
bgTask = application.beginBackgroundTask(expirationHandler: nil)
}
一个定时器,主要是在程序快要挂起的前几十秒的时候,重新向系统请求,并且手动模拟的方式进入后台模式。
@objc func timerAction() {
count = count + 1
print(count)
if UIApplication.shared.backgroundTimeRemaining < 60.0 {
let application = UIApplication.shared
bgTask = application.beginBackgroundTask(expirationHandler: nil)
}
if count % (10*60) == 0 {
//需要做的东西
}
}
这样就循环重复的运行下去,当然这样只能程序一直运行,但是如果需要播放语音,这个时候需要怎么办呢?
func applicationWillResignActive(_ application: UIApplication) {
application.beginReceivingRemoteControlEvents()
let session = AVAudioSession.sharedInstance()
do {
try session.setActive(true)
try session.setCategory(AVAudioSessionCategoryPlayback)
}catch {
print(error)
}
}
这样在进入后台模式下依然可以申请到语音播放的权限。
这样就完成了第一种方式下的方法了。
那么看看第二种方式:
权限已经申请了,主要是在该APP下的推送时怎么激活程序。
服务器推送消息需要做的工作
在推送消息体里面必须包含"content-available"项并且设置值为"1"。
func application(_ application: UIApplication, didReceiveRemoteNotification userInfo: [AnyHashable : Any], fetchCompletionHandler completionHandler: @escaping (UIBackgroundFetchResult) -> Void) {
RSHelper.refresh() //需要做的操作
completionHandler(UIBackgroundFetchResult.newData);
}
当然当APP激活进入前台的时候,后台的一切工作就需要禁止的,这个时候需要
func applicationWillEnterForeground(_ application: UIApplication) {
endBackTask()
}
func endBackTask() {
timer?.invalidate()
timer = nil
count = 0
UIApplication.shared.endBackgroundTask(bgTask!)
bgTask = UIBackgroundTaskInvalid
}
最后两种方式下的方法介绍完毕
网友评论