背景:ios
UIWebView: iOS 用來展現 web 端內容的控件。git
1. 核心方法:github
- (NSString*)stringByEvaluatingJavaScriptFromString:(NSString *)script;
script 就是 JS 代碼,返回結果爲 js 執行結果。 好比一個 JS function 爲web
function testFunction(abc){ return abc; };
webview 調用此 JS 代碼以下:apache
NSString *js = @"testFunction('abc')"; NSString *result = [webView stringByEvaluatingJavaScriptFromString:js];
2. 重要回調:
網絡
- (BOOL)webView:(UIWebView *)webView shouldStartLoadWithRequest:(NSURLRequest *)request navigationType:(UIWebViewNavigationType)navigationType;
webview 每當須要去加載一個 request 就先回調這個方法,讓上層決定是否 加載。通常在這裏截獲,進行本地的處理。app
Native 調用 JS:異步
本質就一個方法,經過 stringByEvaluatingJavaScriptFromString,都是同步。lua
下面重點說說JS怎麼回調Native:url
1.一般方法:js修經過改doucument的loaction或者新建一個看不見的iFrame,修改它的 src,就會觸發回調 webView 的 shouldStartLoadWithRequest,參數 request 的 url 就是新賦值的 location 或者 url,上層截獲這個 url 的參數,對此分發便可。 這個都是異步調用的。
如 JS function:
var messagingIframe; messagingIframe = document.createElement('iframe'); messagingIframe.style.display = 'none'; document.documentElement.appendChild(messagingIframe);
function TestIOSJS(){ messagingIframe.src = "ios/test/click"; };
當觸發上面的JS時,webview會收到下面的回調:
- (BOOL)webView:(UIWebView *)webView shouldStartLoadWithRequest:(NSURLRequest *)request navigationType:(UIWebViewNavigationType)navigationType { NSString *url = request.URL.absoluteString; if([url hasSuffix:@"ios/test/click"]){ //do something you want return NO; } return YES; }
經過截獲這個request的參數就能夠作native須要作的事情。
有個開源的代碼挺不錯的,你們能夠看看:https://github.com/marcuswestin/WebViewJavascriptBridge
2.經過XMLHttpRequest:
(1) Native子類化一個NSURLProtocol類,並經過[NSURLProtocol registerClass:self];把本身註冊。
(2) JS function 建立一個 XMLHttpRequest 對象,而後能夠設置攜帶的參數,設置同步或者異步,而後經過 send 發送請求。
function iOSExec(){ var execXhr = new XMLHttpRequest(); execXhr.open('HEAD', "/!test_exec?" + (+new Date()), true); //設置scheme var vcHeaderValue = /.*\((.*)\)/.exec(navigator.userAgent)[1]; execXhr.setRequestHeader('vc', vcHeaderValue);//設置參數等 execXhr.setRequestHeader('rc', 1); // 發起請求 execXhr.send(null); };
(3) 由於步驟1已經把本身註冊,因此每一個客戶端的網絡請求都會請求這個類 的+(BOOL)canInitWithRequest:(NSURLRequest *)request,讓此決定是否須要生成這個request。
@implementation TestURLProtocol +(void)initProtocol { [NSURLProtocol registerClass:self]; } +(BOOL)canInitWithRequest:(NSURLRequest *)request{ NSString *url = request.URL.absoluteString; if([url containsString:@"!test_exec"]){ //do something } return NO; }
(4) 經過獲取這個request的參數,上層能夠進行攔截,而後進行本地的相 關操做。
這個方法比較少用,不過能解決JS同步回調Native的方法。
這裏也有一個開源庫,你們能夠看一下:https://github.com/apache/cordova-ios/tree/master/CordovaLib
The End.