在 升级xcode 13.0 之后,正式开始支持 iOS15,就需要做适配 iOS15了,在 xcode 13.0 之前的就不会有什么影响的
UINavigationBar 用新 xcode13 编译工程后,导航栏的问题比较明显,调试之后发现是 UINavigationBar 部分属性的设置在 iOS15 上是无效的
查看导航栏特性 API:UINavigationBarAppearance 后发现,iOS15navigationBar 的相关属性设置要通过实例 UINavigationBarAppearance 来实现,UINavigationBarAppearance 是 iOS13 更新的 API,应该有人已经在用,我们的应用兼容 iOS10 以上,对于导航栏的设置还没有使用 UINavigationBarAppearance,如今在 iOS15 上失效,所以对于呈现的问题,做如下适配:
swift
if #available(iOS 13.0, *) {
let appearance = UINavigationBarAppearance()
// 设置导航栏背景色
appearance.backgroundColor = .white
// 去除导航栏阴影(如果不设置clear,导航栏底下会有一条阴影线)
appearance.shadowColor = UIColor.clear
// 字体颜色
appearance.titleTextAttributes = [NSAttributedString.Key.foregroundColor: UIColor.white]
// 带scroll滑动的页面
navigationController?.navigationBar.scrollEdgeAppearance = appearance
// 常规页面
navigationController?.navigationBar.standardAppearance = appearance
}
Objective-C
if (@available(iOS 13.0, *)) {
UINavigationBarAppearance * appearance = [[UINavigationBarAppearance alloc] init];
// 背景色
appearance.backgroundColor = [UIColor whiteColor];
// 去除导航栏阴影(如果不设置clear,导航栏底下会有一条阴影线)
appearance.shadowColor = [UIColor clearColor];
// 字体颜色
appearance.titleTextAttributes = @{NSForegroundColorAttributeName: [UIColor redColor]};
// 带scroll滑动的页面
self.navigationController.navigationBar.scrollEdgeAppearance = appearance;
// 常规页面
self.navigationController.navigationBar.standardAppearance = appearance;
}
UITabbar tabbar 的问题和 navigationBar 的问题属于同一类,tabbar 背景颜色设置失效
swift
if #available(iOS 13.0, *) {
let appearance = UITabBarAppearance()
// 背景色
appearance.backgroundColor = .white
tabBar.standardAppearance = appearance
if #available(iOS 15.0, *) {
tabBar.scrollEdgeAppearance = appearance
}
}
Objective-C
if (@available(iOS 13.0, *)) {
UITabBarAppearance * appearance = [[UITabBarAppearance alloc] init];
// 背景色
appearance.backgroundColor = [UIColor whiteColor];
self.tabBar.standardAppearance = appearance;
if (@available(iOS 15.0, *)) {
self.tabBar.scrollEdgeAppearance = appearance;
}
}
|