使用iOS11的Extension进行屏幕录制时,当我们锁屏时,extension进程会停止工作,那么录制也自然停止了,但是此时我们需要给用户一个提醒,告知用户录制已经结束,所以开始了对锁屏的探索。主要从以下几方面考虑:
是否有系统通知,可以监听到?
是否可以通过屏幕亮度变化监听到?
后台期间截屏?
UIScreen类属性?
是否可以通过文件处理权限导致的读写限制判断?
- 通知
通过darwin通知监听"com.apple.springboard.lockstate"事件,可以在手机锁屏时,收到系统通知。 但是问题是,这种方法将会在提交appstore审核时被拒。
CFNotificationCenterAddObserver(CFNotificationCenterGetDarwinNotifyCenter(),
NULL, screenLockStateChanged,
CFSTR("com.apple.springboard.lockstate"),
NULL,
CFNotificationSuspensionBehaviorDeliverImmediately);
亮度
锁屏最直观的现象就是屏幕将立刻变黑,我们可以通过获取屏幕的亮度变化,来判断是否已经锁屏,但问题是会有一种异常情况:当屏幕达到设置的锁屏时间,如常亮了一分钟,没有任何操作,手机会进入黑屏,但不锁屏状态。这种情况无法与正常的锁屏情况区分。考虑app在后台期间截屏,然后判断image.size,但是首先截屏是获取到GPU渲染时缓存中的内容,需要在主线程才能操作;
另外了考虑UIScreen这个类,因为[UIScreen mainScreen].bounds可以获取到当前主屏幕的尺寸,官方这样说的:
Prior to iOS 8, a screen’s bounds rectangle always reflected the screen dimensions relative to a portrait-up orientation. Rotating the device to a landscape or upside-down orientation did not change the bounds. In iOS 8 and later, a screen’s bounds property takes the interface orientation of the screen into account. This behavior means that the bounds for a device in a portrait orientation may not be the same as the bounds for the device in a landscape orientation.
遗憾的是当app到后台时,这里的尺寸并未更新,返回的结果仍然是上一次app在前台时的值。
- 文件权限
记得之前对DDLog的解析文章 中,我们分析过文件创建时,可以设置操作权限,分为以下几种:
//文件未受保护,随时可以访问 (Default)
NSFileProtectionNone
//文件受到保护,而且只有在设备未被锁定时才可访问
NSFileProtectionComplete
//文件收到保护,直到设备启动且用户第一次输入密码
NSFileProtectionCompleteUntilFirstUserAuthentication
//文件受到保护,而且只有在设备未被锁定时才可打开,不过即便在设备被锁定时,已经打开的文件还是可以继续使用和写入
NSFileProtectionCompleteUnlessOpen
既然这样,我们可以利用文件的这个特性,在app进入前台时,创建一个文件,使用NSFileProtectionComplete权限设置这个文件,
NSString *documentsPath =[self getDocumentsPath];
NSFileManager *fileManager = [NSFileManager defaultManager];
NSString *iOSPath = [documentsPath stringByAppendingPathComponent:@"iOS4.txt"];
NSDictionary *attributes = [NSDictionary dictionaryWithObject:NSFileProtectionComplete
forKey:NSFileProtectionKey];
BOOL isSuccess = [fileManager createFileAtPath:iOSPath contents:nil attributes:attributes];
if (isSuccess)
{
NSLog(@"success");
}
else
{
NSLog(@"fail");
}
当app进入后台时,我们来对文件进行读写,如果报错或者读写失败,则说明此时处于锁屏,如果读写成功,说明此时只是到后台并未锁屏。
但是,遗憾的是,当锁屏时,我们对文件读写并未如预料那样失败,而是成功了!! 在分析可能出错的地方时 ,我首先考虑是不是锁屏之后权限还没有立即生效? 是否有相关回调表示已经生效?
果然,搜索一番,发现,果然存在一个这样的回调。
- (void)applicationProtectedDataWillBecomeUnavailable:(UIApplication *)application
{
}
- (void)applicationProtectedDataDidBecomeAvailable:(UIApplication *)application
{
}
经验证,在我们不创建具有NSFileProtectionComplete权限的文件情况下,没有任何创建、读写操作情况,系统也会有这两个回调。所以总结下:
判断锁屏状态,我们直接在appdelegate文件中覆写这两个方法,并在方法中发出相关通知即可。