1. 程式人生 > >WKWebView在實際開發中的使用匯總

WKWebView在實際開發中的使用匯總

點選上方“iOS開發”,選擇“置頂公眾號”

關鍵時刻,第一時間送達!

640?wxfrom=5&wx_lazy=1

640?wx_fmt=gif&wxfrom=5&wx_lazy=1

最近公司的專案中大量使用了webview載入H5,鑑於WKWebView的效能優於UIWebView,所以就選擇了WKWebView。WKWebView在使用的過程中,還是有很過內容值得我們去記錄和研究的,這裡我就做了一下總結,跟大家分享一下。文章中的示例程式碼可以到github中下載檢視。(地址:https://github.com/muzesunshine/H5-WKWebView)

一、基本使用

WKWebView的基本使用網上也有很多,這裡我就簡略的寫一下:

引入標頭檔案#import <WebKit/WebKit.h>

- (void)setupWebview{

    WKWebViewConfiguration *config = [[WKWebViewConfiguration alloc] init];

    config.selectionGranularity = WKSelectionGranularityDynamic;

    config.allowsInlineMediaPlayback = YES;

    WKPreferences *preferences = [WKPreferences new];

    //是否支援JavaScript

    preferences.javaScriptEnabled = YES;

    //不通過使用者互動,是否可以開啟視窗

    preferences.javaScriptCanOpenWindowsAutomatically = YES;

    config.preferences = preferences;

    WKWebView *webview = [[WKWebView alloc] initWithFrame:CGRectMake(0, 0, KScreenWidth, KScreenHeight - 64) configuration:config];

    [self.view addSubview:webview];

    /* 載入伺服器url的方法*/

    NSString *url = @"https://www.baidu.com";

    NSURLRequest *request = [NSURLRequest requestWithURL:[NSURL URLWithString:url]];

    [webview loadRequest:request];

    webview.navigationDelegate = self;

    webview.UIDelegate = self;

}

WKWebViewConfiguration和WKPreferences中有很多屬性可以對webview初始化進行設定,這裡就不一一介紹了。

遵循的協議和實現的協議方法:

#pragma mark - WKNavigationDelegate

/* 頁面開始載入 */

- (void)webView:(WKWebView *)webView didStartProvisionalNavigation:(WKNavigation *)navigation{

}

/* 開始返回內容 */

- (void)webView:(WKWebView *)webView didCommitNavigation:(WKNavigation *)navigation{

}

/* 頁面載入完成 */

- (void)webView:(WKWebView *)webView didFinishNavigation:(WKNavigation *)navigation{

}

/* 頁面載入失敗 */

- (void)webView:(WKWebView *)webView didFailProvisionalNavigation:(WKNavigation *)navigation{

}

/* 在傳送請求之前,決定是否跳轉 */

- (void)webView:(WKWebView *)webView decidePolicyForNavigationAction:(WKNavigationAction *)navigationAction decisionHandler:(void (^)(WKNavigationActionPolicy))decisionHandler{

    //允許跳轉

    decisionHandler(WKNavigationActionPolicyAllow);

    //不允許跳轉

    //decisionHandler(WKNavigationActionPolicyCancel);

}

/* 在收到響應後,決定是否跳轉 */

- (void)webView:(WKWebView *)webView decidePolicyForNavigationResponse:(WKNavigationResponse *)navigationResponse decisionHandler:(void (^)(WKNavigationResponsePolicy))decisionHandler{

    NSLog(@"%@",navigationResponse.response.URL.absoluteString);

    //允許跳轉

    decisionHandler(WKNavigationResponsePolicyAllow);

    //不允許跳轉

    //decisionHandler(WKNavigationResponsePolicyCancel);

}

下面介紹幾個開發中需要實現的小細節:

1、url中文處理

有時候我們載入的URL中可能會出現中文,需要我們手動進行轉碼,但是同時又要保證URL中的特殊字元保持不變,那麼我們就可以使用下面的方法(方法放到了NSString中的分類中):

- (NSURL *)url{

#pragma clang diagnostic push

#pragma clang diagnostic ignored"-Wdeprecated-declarations"

    return [NSURL URLWithString:(NSString *)CFBridgingRelease(CFURLCreateStringByAddingPercentEscapes(kCFAllocatorDefault, (CFStringRef)self, (CFStringRef)@"!$&'()*+,-./:;[email protected]_~%#[]", NULL,kCFStringEncodingUTF8))];

#pragma clang diagnostic pop

}

2、獲取h5中的標題 3、新增進度條

獲取h5中的標題和新增進度條放到一起展示看起來更明朗一點,在初始化wenview時,新增兩個觀察者分別用來監聽webview 的estimatedProgress和title屬性:

webview.navigationDelegate = self;

webview.UIDelegate = self;

[webview addObserver:self forKeyPath:@"estimatedProgress" options:NSKeyValueObservingOptionNew context:nil];

[webview addObserver:self forKeyPath:@"title" options:NSKeyValueObservingOptionNew context:NULL];

新增建立進度條,並新增進度條圖層屬性:

@property (nonatomic,weak) CALayer *progressLayer;

-(void)setupProgress{

    UIView *progress = [[UIView alloc]init];

    progress.frame = CGRectMake(0, 0, KScreenWidth, 3);

    progress.backgroundColor = [UIColor  clearColor];

    [self.view addSubview:progress];

    CALayer *layer = [CALayer layer];

    layer.frame = CGRectMake(0, 0, 0, 3);

    layer.backgroundColor = [UIColor greenColor].CGColor;

    [progress.layer addSublayer:layer];

    self.progressLayer = layer;

}

實現觀察者的回撥方法:

#pragma mark - KVO回饋

-(void)observeValueForKeyPath:(NSString *)keyPath ofObject:(id)object change:(NSDictionary<NSKeyValueChangeKey,id> *)change context:(void *)context{

    if ([keyPath isEqualToString:@"estimatedProgress"]) {

        self.progressLayer.opacity = 1;

        if ([change[@"new"] floatValue] <[change[@"old"] floatValue]) {

            return;

        }

        self.progressLayer.frame = CGRectMake(0, 0, KScreenWidth*[change[@"new"] floatValue], 3);

        if ([change[@"new"]floatValue] == 1.0) {

            dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(.5 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{

                self.progressLayer.opacity = 0;

                self.progressLayer.frame = CGRectMake(0, 0, 0, 3);

            });

        }

    }else if ([keyPath isEqualToString:@"title"]){

        self.title = change[@"new"];

    }

}

下面是實現的效果圖:

640?wx_fmt=gif

效果圖-1.gif

4、新增userAgent資訊

有時候H5的夥伴需要我們為webview的請求新增userAgent,以用來識別作業系統等資訊,但是如果每次用到webview都要新增一次的話會比較麻煩,下面介紹一個一勞永逸的方法。

在Appdelegate中新增一個WKWebview的屬性,啟動app時直接,為該屬性新增userAgent:

- (void)setUserAgent {

    _webView = [[WKWebView alloc] initWithFrame:CGRectZero];

    [_webView evaluateJavaScript:@"navigator.userAgent" completionHandler:^(id result, NSError *error) {

        if (error) { return; }

        NSString *userAgent = result;

        if (![userAgent containsString:@"/mobile-iOS"]) {

            userAgent = [userAgent stringByAppendingString:@"/mobile-iOS"];

            NSDictionary *dict = @{@"UserAgent": userAgent};

            [TKUserDefaults registerDefaults:dict];

        }

    }];

}

這樣一來,在app中建立的webview都會存在我們新增的userAgent的資訊。

二、原生JS互動

(一)JS呼叫原生方法

在WKWebView中實現與JS的互動還需要實現另外一個代理方法:WKScriptMessageHandler

#pragma mark - WKScriptMessageHandler

- (void)userContentController:(WKUserContentController *)userContentController

      didReceiveScriptMessage:(WKScriptMessage *)message

在 message的name和body屬性中我們可以獲取到與JS調取原生的方法名和所傳遞的引數。

列印一下如下圖所示:

640?wx_fmt=jpeg

效果圖-3.jpg

JS呼叫原生方法的程式碼:

window.webkit.messageHandlers.takePicturesByNative.postMessage({

                    "picType": "0",

                    "picCount":"9",

                    "callBackName": "getImg"

                })

        }

注意:JS只能向原生傳遞一個引數,所以如果有多個引數需要傳遞,可以讓JS傳遞物件或者JSON字串即可。

(二)原生呼叫JS方法

[webview evaluateJavaScript:“JS語句” completionHandler:^(id _Nullable data, NSError * _Nullable error) {

 }];

下面舉例說明:

實現H5通過原生方法呼叫相簿

首先,遵循代理:

<WKNavigationDelegate, WKUIDelegate,WKScriptMessageHandler>

註冊方法名:

config.preferences = preferences;

WKUserContentController *user = [[WKUserContentController alloc]init];

[user addScriptMessageHandler:self name:@"takePicturesByNative"];

config.userContentController =user;

實現代理方法:

#pragma mark - WKScriptMessageHandler

- (void)userContentController:(WKUserContentController *)userContentController

      didReceiveScriptMessage:(WKScriptMessage *)message{

    if ([message.name isEqualToString:@"takePicturesByNative"]) {

       [self takePicturesByNative];

    }

}

- (void)takePicturesByNative{

    UIImagePickerController *vc = [[UIImagePickerController alloc] init];

    vc.delegate = self;

    vc.sourceType = UIImagePickerControllerSourceTypePhotoLibrary;

    [self presentViewController:vc animated:YES completion:nil];

}

- (void)imagePickerController:(UIImagePickerController *)picker didFinishPickingMediaWithInfo:(NSDictionary<NSString *,id> *)info {

    NSTimeInterval timeInterval = [[NSDate date]timeIntervalSince1970];

    NSString *timeString = [NSString stringWithFormat:@"%.0f",timeInterval];

    UIImage *image = [info  objectForKey:UIImagePickerControllerOriginalImage];

    NSArray *paths = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory,NSUserDomainMask, YES);

    NSString *filePath = [[paths objectAtIndex:0] stringByAppendingPathComponent:[NSString stringWithFormat:@"%@.png",timeString]];  //儲存到本地

    [UIImagePNGRepresentation(image) writeToFile:filePath atomically:YES];

    NSString *str = [NSString stringWithFormat:@"%@",filePath];

    [picker dismissViewControllerAnimated:YES completion:^{

        // oc 呼叫js 並且傳遞圖片路徑引數

        [self.webview evaluateJavaScript:[NSString stringWithFormat:@"getImg('%@')",str] completionHandler:^(id _Nullable data, NSError * _Nullable error) {

        }];

    }];

}

我們期望的效果是,點選webview中開啟相簿的按鈕,呼叫原生方法,展示相簿,選擇圖片,可以傳遞給JS,並展示在webview中。

但是執行程式發現:我們可以開啟相簿,說明JS呼叫原生方法成功了,但是並不能在webview中展示出來,說明原生呼叫JS方法時,出現了問題。這是因為,在WKWebView中,H5在載入本地的資源(包括圖片、CSS檔案、JS檔案等等)時,預設被禁止了,所以根據我們傳遞給H5的圖片路徑,無法展示圖片。解決辦法:在傳遞給H5的圖片路徑中新增我們自己的請求頭,攔截H5載入資源的請求頭進行判斷,拿到路徑然後由我們來手動請求。

先為圖片路徑新增一個我們自己的請求頭:

NSString *str = [NSString stringWithFormat:@"myapp://%@",filePath];

然後建立一個新類繼承於NSURLProtocol

.h

#import <UIKit/UIKit.h>

@interface MyCustomURLProtocol : NSURLProtocol

@end

.m

@implementation MyCustomURLProtocol

+ (BOOL)canInitWithRequest:(NSURLRequest*)theRequest{

    if ([theRequest.URL.scheme caseInsensitiveCompare:@"myapp"] == NSOrderedSame) {

        return YES;

    }

    return NO;

}

+ (NSURLRequest*)canonicalRequestForRequest:(NSURLRequest*)theRequest{

    return theRequest;

}

- (void)startLoading{

    NSURLResponse *response = [[NSURLResponse alloc] initWithURL:[self.request URL]

                                                        MIMEType:@"image/png"

                                           expectedContentLength:-1

                                                textEncodingName:nil];

    NSString *imagePath = [self.request.URL.absoluteString componentsSeparatedByString:@"myapp://"].lastObject;

    NSData *data = [NSData dataWithContentsOfFile:imagePath];

    [[self client] URLProtocol:self didReceiveResponse:response cacheStoragePolicy:NSURLCacheStorageNotAllowed];

    [[self client] URLProtocol:self didLoadData:data];

    [[self client] URLProtocolDidFinishLoading:self];

}

- (void)stopLoading{

}

@end

在控制器中註冊MyCustomURLProtocol協議並新增對myapp協議的監聽:

 //註冊

    [NSURLProtocol registerClass:[MyCustomURLProtocol class]];

    //實現攔截功能

    Class cls = NSClassFromString(@"WKBrowsingContextController");

    SEL sel = NSSelectorFromString(@"registerSchemeForCustomProtocol:");

    if ([(id)cls respondsToSelector:sel]) {

#pragma clang diagnostic push

#pragma clang diagnostic ignored "-Warc-performSelector-leaks"

        [(id)cls performSelector:sel withObject:@"myapp"];

#pragma clang diagnostic pop

    }

執行程式,效果如下:

640?wx_fmt=gif

效果圖-2.gif

不僅僅是載入本地的圖片,webview載入任何本地的資源都可以使用該方法,不過在使用過程中,大家一定要密切注意跨域問題會帶來的安全性問題。

結尾

關於WKWebView其實還有很多內容,接下來我還會繼續深入地去探究WKWebView的原理和使用。

640?

  • 作者:沐澤sunshine

  • 連結:https://www.jianshu.com/p/5dab90e2e5f1

  • iOS開發整理髮布,轉載請聯絡作者授權

相關推薦

WKWebView實際開發的使用匯

點選上方“iOS開發”,選擇“置頂公眾號”關鍵時刻,第一時間送達!最近公司的專案中大量使用了we

Java 反射在實際開發的應用

放松 hello set 加載器 glib 應該 throwable tde ffffff   運行時類型識別(RTTI, Run-Time Type Information)是Java中非常有用的機制,在java中,有兩種RTTI的方式,一種是傳統的,即假設在編譯時已

Java 數據類型在實際開發應用二枚舉

項目 arraylist font 編譯器 tid null left join 基本 size   在實際編程中,往往存在著這樣的“數據集”,它們的數值在程序中是穩定的,而且“數據集”中的元素是有限的。在JDK1.5之前,人們用接口來描述這一種數據類型。 1.5以後引入枚

經驗 windows目錄在實際開發使用/代替

路徑 斜杠 反斜杠 轉義#include <boost\shared_ptr.hpp>盡量不要使用\,而是使用/,這樣子方面移植代碼到Linux 環境下代碼如下:#include "stdafx.h"#include <iostream>#include <fstream>

HTML <area><map>標簽及在實際開發的應用

覆蓋 們的 大量 pla ren 創建 lock walk note 之前,我一直以為HTML <area>是一個雞肋HTML,估計到了HTML5時代會被廢棄的命。但是,最近一查資料,乖乖了個咚,不僅沒被廢棄,反而發展了,新增了一些標簽屬性,例如rel,medi

tomcat配置虛擬路徑,可以解決實際開發測試時前端訪問後臺電腦上的圖片的問題

ram 使用 mage height 顯示 地址 cal 重啟 server 首先電腦上要已經安裝好tomcat,安裝tomcat的教程可以從網上找到很多。這裏就不贅述了。 一般開始做一個web項目後,會涉及到用戶頭像,商品圖片等信息,這些圖片保存在項目中不方便,於是我將選

使用VS2017進行Linux開發問題

font home mmu 不能 解決 common soft dir family ①、重新安裝虛擬機開發環境後,生成項目,報錯如下: 1>------ 已啟動生成: 項目: asf_plugin_gd_trans, 配置: Debug x64 ------ 1

[轉]Java 反射在實際開發的應用

擴展 pub 多對一 容器 redis 連接 一起 odin mapping 一:Java類加載和初始化 1.1 類加載器(類加載的工具) 1.2 Java使用一個類所需的準備工作 二:Java中RTTI   2.1 :為什麽要用到運行時類型信息

收集 - 實際開發的技巧記錄【頁面】

clas 固定 text pan pre ips -o pac 設置 文本類: ● 單行文本溢出顯示省略號: 主要 CSS 屬性是 text-overflow,值設為 ellipsis,另外需要給文本容器設置固定的 width 值。CSS 代碼如下: overfl

Solr05-Solr在實際開發的應用

示例 文件 主機 博客 版本 擴展 測試 責任 3.4 目錄 1 配置中文分詞器 1.1 準備IK中文分詞器 1.2 配置schema.xml文件 1.2.1 加入使用IK分詞器的域類型 1.2.2 加入使用IK分詞器的域 1.3 重啟Tomcat並測試 2 配置業務

MT7697參考設計資料 MT7697開發資料下載

部分 分享圖片 表數 uart 兩個 無線 data ios mage MT7697參考設計資料 MT7697開發資料匯總下載 今天給大家分享的是MT7697的芯片資料,一些datasheet、PCB原理圖的部分資料,完整資料到闖客網技術論上下載,主推聯發科芯片的資料,聯發

RunLoop六:在實際開發的應用 之 控制執行緒生命週期(執行緒保活) 二

八、 停止 NSRunLoop 執行 上章提到了 ,只有控制器釋放了。執行緒沒有被釋放。這是因為 程式碼 卡在了 [[NSRunLoop currentRunLoop] run];這句程式碼. 任務執行完成後,執行緒會銷燬。但是 有 run 方法的話。代表系統一直在執行run

RunLoop六:在實際開發的應用 之 控制執行緒生命週期(執行緒保活)

一、前言 OC 的程式設計師大多數用過的 AFNetwork 這個網路請求框架。這個框架中就使用了 RunLoop 技術,去控制子執行緒的生命週期。 相當於 它建立了一個子執行緒,這個子執行緒會一直都在記憶體中,不會死亡。當某個時間段需要子執行緒工作時,會告訴子執行緒需要做什麼?過一段時間,

RunLoop五:在實際開發的應用

一、在實際開發中的應用 控制執行緒生命週期(執行緒保活) 解決NSTimer在滑動時停止工作的問題 監控應用卡頓 效能優化 二、控制執行緒生命週期(執行緒保活) 在專案中會遇到建立一個子執行緒去做一些事情。為什麼要建立一個子執行緒去做事情?因為如果把所

設計模式在實際開發的應用

分析功能:1.接到專案後要先分析好模組,分析好模組後再從模組裡分析功能,把一個大的專案分成N個模組再把模組分析成N個功能點,把每個功能點都進行封裝,有一個管理類進行管理。 程式碼邏輯分工 程式碼要做到層層管理,一個類管理著另外的一個些管理類,管理類裡面又要管理封裝一些功能點。做這一部分的時候建議使

android---實際開發遇到的問題總結

在實際開發專案的時候經常會遇到一些問題,在這裡進行總結,希望讀者在遇到相同問題的時候能夠儘快解決自己的問題,或者為讀者提供一種解決方案 問題1:          隨著專案的逐漸增大,不可避免

專案實際開發遇到的事務問題

廢話不多說 看功能: 最近做了一個app的記步功能,要求是app一開啟就開始進行步數的計算,然後一分鐘向後臺傳送一次資料儲存到資料庫中,此時儲存的是使用者的走的步數和有效步數(有效步數是在一分鐘內步頻大於90的算是真正的走路)和有效時間,然後當你開啟記步頁面的時候,又一個請求一分鐘一次

實際開發String轉換為json串作為入參發生"JSON parse error:Cannot deserialize value of type Date......not a valid解決

實際開發中,String拼接成json串作為入參請求介面,發生以下錯誤 {     "timestamp": "2018-11-09 14:55:49",     "status": 400,     "error": "Bad R

實際開發,解決iReport列印圖片不顯示問題

ireport  中增加圖片,新增上屬性,但是執行時報錯如下,是屬性logoPath沒有宣告到map中 1. Parameter not found : logoPath net.sf.jasperreports.engine.design.JRValid

實際開發,解決列印iReport獲取list集合遍歷,並且縮小間距

用iReport做列印的時候,在後端程式碼中得到map集合後,map中存放list 用$F獲取屬性,欄屬性代表每行的空、間隔 /*** * * @author xxx * @param checkVisaReqVo *