iOS11 适配问题(tableView和scrollView)及解决方案

tableView--问题
在iOS11上,tableview的 Headers, footers, and cells都默认开启Self-Sizing,所有estimated 高度默认值从iOS11之前的 0 改变为UITableViewAutomaticDimension。
在使用tableview的界面上,与11之前相比,cell下移;使用header的界面,默认
会有footer的高度,导致下一个cell的header展示不友好。
解决方案
iOS11 tableview会默认开启self-sizing,
开启Self-Sizing之后,tableView是使用estimateRowHeight属性的,这样就会造成contentSize和contentOffset值的变化。
通过设置:
tableView.estimatedSectionHeaderHeight = 0;
tableView.estimatedSectionFooterHeight = 0;
解决上述问题。

scrollView--问题
iOS9.3.5


image.png

iOS 11.1


image.png

对比contentsize,iOS11比iOS9 高度上增加。
iOS11 上出现了新的属性,adjustedContentInset
并且会默认设置。


iOS11 适配问题(tableView和scrollView)及解决方案_第1张图片
image.png

可以通过contentInsetAdjustmentBehavior属性用来配置adjustedContentInset的行为

iOS11 适配问题(tableView和scrollView)及解决方案_第2张图片
image.png

UIScrollViewContentInsetAdjustmentBehavior 结构体
typedef NS_ENUM(NSInteger, UIScrollViewContentInsetAdjustmentBehavior) {
UIScrollViewContentInsetAdjustmentAutomatic,
UIScrollViewContentInsetAdjustmentScrollableAxes,
UIScrollViewContentInsetAdjustmentNever,
UIScrollViewContentInsetAdjustmentAlways,
}

so,设置contentInsetAdjustmentBehavior 为never
scrollview.contentInsetAdjustmentBehavior = UIScrollViewContentInsetAdjustmentNever;
因为上述属性是ios11新属性,需要加上可用性判断

 if (@available(iOS 11.0,*)) {
    scrollview.contentInsetAdjustmentBehavior = UIScrollViewContentInsetAdjustmentNever;
}

@available(iOS 11.0,*) 是swift用法,Swift 2.0 中,引入了可用性的概念。对于函数,类,协议等,可以使用@available声明这些类型的生命周期依赖于特定的平台和操作系统版本。

如果我们一个个去寻找有问题的界面,逐个解决,未免也太不效率了。所以我们使用了aop思想,此处不做深入展开,需要了解的请搜索Aspects。我们通过监听UIView的addSubview:方法,在此之前,通过判断添加的view匹配UITableView和UIScrollView,添加上述的解决方案代码。代码如下:

    [UIView aspect_hookSelector:@selector(addSubview:) withOptions:AspectPositionBefore usingBlock:^(id info){
        @try {
            if ([[info instance] isKindOfClass:[UITableView class]]) {
                UITableView *tb = (UITableView *)[info instance];
                tb.estimatedSectionHeaderHeight = 0;
                tb.estimatedSectionFooterHeight = 0;
            }
            if ([[info instance] isKindOfClass:[UIScrollView class]]) {
                UIScrollView *scrollview = (UIScrollView *)[info instance];
                if (@available(iOS 11.0,*)) {
                    scrollview.contentInsetAdjustmentBehavior = UIScrollViewContentInsetAdjustmentNever;
                }
            }
        } @catch (NSException *exception) {
            NSLog(@"%@",exception.name);
        }
    } error:NULL];

有不正之处,请指出,感谢各位的建议和意见!

参考文章:
你可能需要为你的APP适配

你可能感兴趣的:(iOS11 适配问题(tableView和scrollView)及解决方案)