估計很少人知道HTML5 APIS里有一個window.postMessage API。window.postMessage的功能是允許程序員跨域在兩個窗口/frames間發(fā)送數(shù)據(jù)信息?;旧希拖袷强缬虻腁JAX,但不是瀏覽器跟服務(wù)器之間交互,而是在兩個客戶端之間通信。讓我們來看一下window.postMessage是如何工作的。除了IE6、IE7之外的所有瀏覽器都支持這個功能。
數(shù)據(jù)發(fā)送端
首先我們要做的是創(chuàng)建通信發(fā)起端,也就是數(shù)據(jù)源”source”。作為發(fā)起端,我們可以open一個新窗口,或創(chuàng)建一個iframe,往新窗口里發(fā)送數(shù)據(jù),簡單起見,我們每6秒鐘發(fā)送一次,然后創(chuàng)建消息監(jiān)聽器,從目標窗口監(jiān)聽它反饋的信息。
JavaScript Code復(fù)制內(nèi)容到剪貼板
-
- var domain = 'http://scriptandstyle.com';
- var myPopup = window.open(domain
- + '/windowPostMessageListener.html','myWindow');
-
-
- setInterval(function(){
- var message = 'Hello! The time is: ' + (new Date().getTime());
- console.log('blog.local: sending message: ' + message);
-
- myPopup.postMessage(message,domain);
- },6000);
-
-
- window.addEventListener('message',function(event) {
- if(event.origin !== 'http://scriptandstyle.com') return;
- console.log('received response: ',event.data);
- },false);
-
這里我使用了window.addEventListener,但在IE里這樣是不行的,因為IE使用window.attachEvent。如果你不想判斷瀏覽器的類型,可以使用一些工具庫,比如jQuery或Dojo。
假設(shè)你的窗口正常的彈出來了,我們發(fā)送一條消息——需要指定URI(必要的話需要指定協(xié)議、主機、端口號等),消息接收方必須在這個指定的URI上。如果目標窗口被替換了,消息將不會發(fā)出。
我們同時創(chuàng)建了一個事件監(jiān)聽器來接收反饋信息。有一點極其重要,你一定要驗證消息的來源的URI!只有在目標方合法的情況才你才能處理它發(fā)來的消息。
如果是使用iframe,代碼應(yīng)該這樣寫:
JavaScript Code復(fù)制內(nèi)容到剪貼板
-
- var domain = 'http://scriptandstyle.com';
- var iframe = document.getElementById('myIFrame').contentWindow;
-
-
- setInterval(function(){
- var message = 'Hello! The time is: ' + (new Date().getTime());
- console.log('blog.local: sending message: ' + message);
-
- iframe.postMessage(message,domain);
- },6000);
-
確保你使用的是iframe的contentWindow屬性,而不是節(jié)點對象。
數(shù)據(jù)接收端
下面我們要開發(fā)的是數(shù)據(jù)接收端的頁面。接收方窗口里有一個事件監(jiān)聽器,監(jiān)聽“message”事件,一樣,你也需要驗證消息來源方的地址。消息可以來自任何地址,要確保處理的消息是來自一個可信的地址。
JavaScript Code復(fù)制內(nèi)容到剪貼板
-
- window.addEventListener('message',function(event) {
- if(event.origin !== 'http://davidwalsh.name') return;
- console.log('message received: ' + event.data,event);
- event.source.postMessage('holla back youngin!',event.origin);
- },false);
-
上面的代碼片段是往消息源反饋信息,確認消息已經(jīng)收到。下面是幾個比較重要的事件屬性:
source – 消息源,消息的發(fā)送窗口/iframe。
origin – 消息源的URI(可能包含協(xié)議、域名和端口),用來驗證數(shù)據(jù)源。
data – 發(fā)送方發(fā)送給接收方的數(shù)據(jù)。
這三個屬性是消息傳輸中必須用到的數(shù)據(jù)。
使用window.postMessage
跟其他很web技術(shù)一樣,如果你不校驗數(shù)據(jù)源的合法性,那使用這種技術(shù)將會變得很危險;你的應(yīng)用的安全需要你對它負責(zé)。window.postMessage就像是PHP相對于JavaScript技術(shù)。window.postMessage很酷,不是嗎?
以上就是本文的全部內(nèi)容,希望對大家的學(xué)習(xí)有所幫助,也希望大家多多支持腳本之家。