A collection of the pitfalls you will encounter when adapting to iOS 9

A collection of the pitfalls you will encounter when adapting to iOS 9

[[151640]]

This article mainly talks about some pitfalls in iOS9 adaptation. If you just want to understand the new features of iOS9, you can read the new features of iOS 9 SDK that developers need to know. In the early morning of September 17, Apple pushed the official version of iOS9 to users. As users continued to upgrade to iOS9, a series of problems gradually emerged. The author was also busy adapting the App he maintained. Most of the pitfalls described in this article are personal experiences.
1. NSAppTransportSecurity

iOS9 makes all HTTP use HTTPS by default, and the original HTTP protocol transmission is changed to TLS1.2 protocol for transmission. The direct result is that when the App sends a request, it pops up that the network cannot be connected. The solution is to add the following node in the project's info.plist file:

NSAppTransportSecurity - NSAllowsArbitraryLoads

This subnode means: Is arbitrary loading allowed? ! If it is set to YES, AppTransportSecurity will be disabled and user-defined settings will be used instead, which solves this problem.

It is said above that Apple has restricted the HTTP protocol, but it does not mean that all HTTPS can be fully adapted to iOS9.

For example, load an https web page from the webView in the app. Create a new project and write a few lines of code to load the web page.

  1. - ( void )loadView{
  2. UIWebView *web = [[UIWebView alloc]initWithFrame:[UIScreen mainScreen].bounds];
  3. self.view = web;
  4. }
  5. - ( void )viewDidLoad {
  6. [ super viewDidLoad];
  7.  
  8. UIWebView *web = (UIWebView *)self.view; //Dong Boran  
  9. NSURL *url = [NSURL URLWithString:@ "https://github.com/" ];
  10. NSURLRequest *request = [NSURLRequest requestWithURL:url];
  11. [web loadRequest:request];
  12. }

The url in the middle is the https address we want to load. Try it with https://baidu.com/ and https://github.com/ respectively, the results are different

The github webpage can be opened, but the Baidu webpage cannot be opened. A line of log is printed below

  1. NSURLSession/NSURLConnection HTTP load failed (kCFStreamErrorDomainSSL, - 9802 )

The reason is that Apple's official information says that it must be based on TLS 1.2 version protocol. Then the encryption algorithm of the certificate must reach SHA256 or higher RSA key or ECC key. If it does not meet the requirements, the request will be interrupted and nil will be returned.

You can directly view the encryption algorithm of this website in the browser. First click the green lock and then click the certificate information.

As can be seen from the two pictures on the right, GitHub's SHA-256 with RSA encryption meets Apple's requirements, so it can be displayed.

For Baidu, you can configure it in info.plist as follows. If there are many websites referencing it, you should configure it for each website.

NSAppTransportSecurity, NSExceptionDomains, NSIncludesSubdomains, NSExceptionRequiresForwardSecrecy, NSExceptionAllowInsecureHTTPLoads are written below for easy copying.

The ForwardSecrecy is understood as an advanced password protection algorithm, which is written in the official data. There are 11 types in total. After the configuration is completed, Baidu can access it.


2. Bitcode

Bitcode should be understood as a transitional code compiled into a program, and then Apple compiles this transitional code into an executable program. Bitcode also allows Apple to re-optimize the binary file of our program at a later stage, which is similar to the idea of ​​App slimming.

The following error may occur when using the xcode7 compiler to compile a project that was previously working properly.

  1. XXXX' does not contain bitcode. You must rebuild it with bitcode enabled (Xcode setting ENABLE_BITCODE), obtain an updated library from the vendor, or disable bitcode for   this target. for architecture arm64

The reason for the problem is that some third-party libraries do not support bitcode yet. Either we wait for the library developer to upgrade this function and then update the library, or we disable this bitcode.

The way to disable it is to find the following configuration and select NO. (Bitcode is YES by default in iOS, and bitcodes cannot be changed in watchOS and must be YES.)


3. Setting up trust

This item is only relevant to enterprise-level applications or inhose, and has nothing to do with applications on the AppStore channel.

In iOS8, a window will pop up asking if you need to trust the app, but in iOS9, it is directly prohibited. If you really want to trust the app, you need to manually open it. It is similar to the Mac system downloading a dmg from an unknown developer and you can't open it directly, so you have to go to the security and privacy of the system preferences to manually open it. The following picture shows iOS8 on the left and iOS9 on the right.

Users need to go to Settings---》General---》Description File to add trust themselves.

There are two ways to deal with this problem: 1. Inform employees in advance not to upgrade to iOS 9 for the time being 2. Most of the applications are enterprise-level applications used by company employees, so send a guidance email to the group.


Fonts

In iOS8, the font is Helvetica, and the Chinese font is a bit similar to "Huawen Xihei". It's just that Apple phones have their own rendering, so it may look more beautiful than ordinary Huawen Xihei. In iOS9, the Chinese system font has become "Pingfang" designed specifically for China, which is a bit similar to a word font "Youyuan". The font has a slight bold effect, and the most important thing is that the font spacing has become larger!

Therefore, many labels that originally have a fixed width may show “...”.

The two pictures above can also intuitively show the changes of the same interface and the same label.

Therefore, in order to avoid errors in the interface display, even if the text is of fixed length, it is still recommended to use sizetofit or iOS round up ceilf() or calculate in advance

  1. CGSize size = [title sizeWithAttributes:@{NSFontAttributeName: [UIFont systemFontOfSize: 14 .0f]}];
  2. CGSize adjustedSize = CGSizeMake(ceilf(size.width), ceilf(size.height));


5. URL scheme

The URL scheme is generally used in scenarios where the application has the function of sharing or jumping to other platforms for authorization, and then jumping back after sharing or authorization.

There are not too many restrictions in iOS 8, but iOS 9 requires you to whitelist the URL scheme you want to call externally before you can complete the jump.

If iOS9 is not adapted, the following error will be reported

  1. canOpenURL: failed for URL : "mqzone://qqapp" - error: "This app is not allowed to query for scheme mqzone"  

The specific solution is to set the LSApplicationQueriesSchemes type to an array in info.plist and add all the schemes you use below


6. Statusbar

Fortunately, this is just a warning. If you ignore it, there will be no problem.

  1. <Error>: CGContextSaveGState: invalid context 0x0 . If you want to see the backtrace, please set CG_CONTEXT_SHOW_BACKTRACE environmental variable.

In the past, in order to be able to control the style of the top statusbar in real time, we might like to use

  1. [[UIApplication sharedApplication] setStatusBarStyle:UIStatusBarStyleLightContent]
  2. [[UIApplication sharedApplication]setStatusBarHidden:YES];

But before doing this, you need to add the View controller-based status bar appearance BOOL value to NO in info.plist, which means that the controller is not allowed to control the status bar, and use UIApplication to control it. However, this method is not recommended in iOS9. We recommend that you set the BOOL value to YES and use the controller method to manage the status bar.

  1. - (UIStatusBarStyle)preferredStatusBarStyle
  2. {
  3. return UIStatusBarStyleLightContent;
  4. }

Clicking into the header file can verify what you just said:

  1. @property (readwrite, nonatomic,getter=isStatusBarHidden) BOOL statusBarHidden NS_DEPRECATED_IOS(2_0, 9_0, "Use -[UIViewController prefersStatusBarHidden]" );


7. didFinishLaunchingWithOptions

If the following error is reported during runtime, it means that your didFinishLaunchingWithOptions is not written correctly

  1. ***** Assertion failure in -[UIApplication _runWithMainScene:transitionContext:completion:], /BuildRoot/Library/Caches/com.apple.xbs/Sources/UIKit_Sim/UIKit- 3505.16 /UIApplication.m: 3294 **

iOS9 does not allow the window's rootViewController to be set after didFinishLaunchingWithOptions is finished. Maybe the xcode7 compiler itself does not support it.

The solution is of course to initialize a value first, and then assign it to replace it.

  1. UIWindow *window = [[UIWindowalloc] initWithFrame:[UIScreenmainScreen].bounds];
  2. window.rootViewController = [[UIViewController alloc]init];


8. tableView

Although the official version of iOS9 has been pushed, the App still feels more laggy when using iOS9. The laggy display is most obvious when dragging the tableView. And there was a bug before. When the project was compiled with xcode7, the tableView refresh had problems. [tableView reloadData] was invalid. There was a row of cells that had been changed but could not be refreshed. It seems that this method may conflict with some newly added features. It is speculated that the reloadData operation may be postponed to the next RunLoop execution and finally fail.

The solution is to comment [tableView reloadData] and use partial refresh instead, and the problem is solved.

  1. [self.tableView reloadSections:[NSIndexSet indexSetWithIndex: 0 ] withRowAnimation:UITableViewRowAnimationNone];

If you are not seeing this article on Dong Boran’s Blog, please click here to view the original text.

I have encountered these problems for the time being. I feel that the emergence of iOS9 has made all iOS developers nervous. I hope that Apple's drastic changes and unique style will continue to develop and will not cause conflicts with the government, and then the company will go bankrupt and developers will lose their jobs. Maybe I am overthinking. I hope that all iOS can be adapted and bugs fixed in time, and all problems will be solved when the next version is launched.

<<:  Android source code, imitating Dianping pull-down animation

>>:  160,000 WeChat self-media, the total number of readers dropped by 1.7 billion in the past month

Recommend

Moving forward on the Android road

Counting the days, from graduation to now, I have...

Yulin SEO Training: How to do website diagnosis? Where to start

For an experienced SEO webmaster, the website is ...

Turtle Class·Zhihu Sales Practical Training Camp 2nd Session

Guike·Zhihu live streaming training camp (recorde...

Why is your copywriting always so superficial?

Writing copy is a process from shallow to deep. E...

How can physical stores tap into private domain traffic?

In the years when the online economy, represented...

Han Xuejie's TCM beauty and health class, 90 ancient anti-aging recipes

Han Xuejie's TCM beauty and health class, 90 ...

Apple mobile phone marketing strategy!

An excellent brand is inseparable from excellent ...

Create short video IP in the first year of 5G and make your fans addicted to you

2019 is known as the first year of 5G. The arriva...

Increase followers, promotion, IP building, and Weibo operation skills!

Weibo is a social networking platform with great ...

Design and attribute matching skills of advertising promotion materials!

After we have determined the marketing promotion ...