不管是哪种方式(JS与OC交互调用原生的方法,H5input标签)打开相机,只要打开相机的时候,app项目是横屏的(在xcode中只支持了横屏方向)打开相机,发生崩溃了,用下面的方法都可以解决。
我目前发生崩了的机型是x以上机型,不分iOS系统。 但是我面试的时候,有个面试官说他们公司所有机型在我上述场景中,都会崩溃。
报错日志:Supported orientations has no common orientation with the application, and [CAMViewfinderViewController shouldAutorotate] is returning YES
报错截图:
图片.png
崩溃分析:由于项目设置只支持了横屏,相机默认为竖屏打开。但是相机类[CAMViewfinderViewController shouldAutorotate] 返回了YES,也就是说:在这个类中,界面支持旋转,但是系统没有竖屏选项,支持旋转就造成冲突,所以崩溃了。那么我们就要将这个[CAMViewfinderViewController shouldAutorotate] 返回NO.
实践以input标签打开为例:(测试了JS调用原生方法打开相机,直接在原生按钮点击事件里面打开相机)
因为用input标签打开相机,没有办法获取到打开相机的点击事件,所以没有办法用通知那种方法来通知AppDelegate的代理方法来改变屏幕支持的旋转方向。所以我就用了分类+方法交换的方式来解决问题。
利用runtime的方法交换,实现当系统调用[CAMViewfinderViewController shouldAutorotate]这个方法的时候,我实现自己的方法,并且返回NO,就可以达到不崩溃的目的。
下面是分类代码:
.h文件。啥都没有
#import <UIKit/UIKit.h>
@interface UIImagePickerController (custom)
@end
.m文件。如下:
#import "UIImagePickerController+custom.h"
#import <objc/runtime.h>
@implementation UIImagePickerController (custom)
static BOOL isDelegateMethodHooked = false;//防止交换方法的逻辑被多次调用
-(void)viewDidLoad{
[super viewDidLoad];
if (isDelegateMethodHooked == NO) {
Class vc = NSClassFromString(@"CAMViewfinderViewController");
SEL originalSelector = @selector(shouldAutorotate);
SEL swizzledSelector = @selector(sjx_stringByAppendingString);
Method originalMethod = class_getInstanceMethod(vc, originalSelector);
Method swizzledMethod = class_getInstanceMethod([self class], swizzledSelector);
BOOL didAddMethod = class_addMethod(vc,originalSelector,method_getImplementation(swizzledMethod),method_getTypeEncoding(swizzledMethod));
if(didAddMethod) {
class_replaceMethod([self class],swizzledSelector,method_getImplementation(originalMethod),method_getTypeEncoding(originalMethod));
} else {
method_exchangeImplementations(originalMethod, swizzledMethod);
}
}
}
- (BOOL)sjx_stringByAppendingString{
NSLog(@"2222222");
return YES;
}
-(void)dealloc{
isDelegateMethodHooked = YES;
}
看完代码你可能会想,为什么交换方法的实现为什么没有放到load里面,load里面只会调用一次,这样也不用使用一个boll变量来保证代码只执行一次。
这是因为我最开始放在load方法里面执行,会发现获取不到CAMViewfinderViewController
这个类。这个时候这个类还咩有被创建,所以不能放在load方法里面执行方法交换了。
网友评论