PostMessage can also be used like this

PostMessage can also be used like this

In daily work, message communication is a very common scenario. For example, everyone is familiar with the B/S structure, in which the browser and the server communicate with each other based on the HTTP protocol:


However, in addition to the HTTP protocol, in some scenarios where data real-time requirements are high, we will use the WebSocket protocol to complete message communication:


I believe that everyone is familiar with these two scenarios. Next, Brother Abao will introduce another scenario of message communication, that is, how to communicate messages between the parent page and the child page loaded by the iframe.

Why did I suddenly write about this topic? Actually, it is because in a recent project, Abao needs to implement message communication between the parent page and the child page loaded by the iframe. In addition, Abao happened to be writing a special topic on source code analysis recently, so I searched on Github and found a good project - Postmate.

After reading the Postmate source code, I think some of the design ideas of the project are worth learning from, so I wrote this article to share with you. After reading this article, you will learn the following knowledge:

  • The role of handshake in message systems and how to implement handshake;
  • The design of message models and how to implement message verification to ensure communication security;
  • The use of postMessage and how to use it to implement message communication between parent and child pages;
  • Design and implementation of message communication API.

Okay, without further ado, let’s first give you a brief introduction to Postmate.

1. Introduction to Postmate

[[352432]]

Postmate is a powerful, simple, Promise-based postMessage library. It allows the parent page to communicate with the cross-domain child iframe with minimal cost. The library has the following features:

  • Promise-based API for elegant and simple communication;
  • Use message authentication to secure bidirectional parent <-> child message communications;
  • The child object exposes a retrievable model object that the parent object can access;
  • Child objects can dispatch events that their parent objects have listened to;
  • The parent object can call functions in the child object;
  • Zero dependencies. You can provide custom polyfills or abstractions for the Promise API if needed;
  • Lightweight, about 1.6 KB (minified & gzipped).

Next, I will analyze the Postmate library from three aspects: how to perform a handshake, how to implement two-way message communication, and how to disconnect. In addition, I will also introduce some good design ideas in the Postmate project.

2. How to Handshake

When TCP establishes a connection, a three-way handshake is required. Similarly, when a parent page communicates with a child page, Postmate also uses a "handshake" to ensure that both parties can communicate normally. Because the basis of Postmate communication is based on postMessage, before introducing how to handshake, let's first take a brief look at the postMessage API.

2.1 Introduction to postMessage

For two scripts in different pages, the two scripts can only communicate with each other if the page that executes them is located on the same protocol, port number, and host. The window.postMessage() method provides a controlled mechanism to circumvent this limitation, and this method is safe as long as it is used correctly.

2.1.1 postMessage() Syntax

  1. otherWindow.postMessage(message, targetOrigin, [transfer]);
  • otherWindow: A reference to another window, such as the contentWindow property of an iframe, the window object returned by executing window.open, etc.
  • message: data to be sent to other windows, which will be serialized by the structured cloning algorithm.
  • targetOrigin: Use the origin property of the window to specify which windows can receive message events. Its value can be a string "*" (indicating no restrictions) or a URI.
  • transfer (optional): is a list of Transferable objects that are passed with the message. The ownership of these objects will be transferred to the recipient of the message, and the sender will no longer retain ownership.

The sender sends a message through the postMessage API, and the receiver can add a message processing callback function by listening to the message event. The specific usage is as follows:

  1. window.addEventListener( "message" , receiveMessage, false );
  2.  
  3. function receiveMessage(event) {
  4. let origin = event.origin || event.originalEvent.origin;
  5. if (origin !== "http://semlinker.com" ) return ;
  6. }

2.2 Implementation of Postmate Handshake

In telecommunications and microprocessor systems, the term handshake has the following meanings:

  • In data communications, a sequence of events managed by hardware or software that requires mutual agreement on the state of the operating mode before information can be exchanged.
  • The process of establishing communication parameters between a receiving station and a sending station.

For communication systems, handshaking is the process after the communication circuit is established but before information transmission begins. Handshaking is used to agree on parameters such as information transmission rate, alphabet, parity, interrupt procedures, and other protocol features.

For the Postmate library, the handshake is to ensure that the parent page and the iframe child page can communicate normally. The corresponding handshake process is as follows:

In Postmate, the handshake message is initiated by the parent page. To initiate a handshake message in the parent page, you first need to create a Postmate object:

  1. const postmate = new Postmate({
  2. container: document.getElementById( 'some-div' ), // iframe container
  3. url: 'http://child.com/page.html' , // The iframe child page address containing postmate.js
  4. name : 'my-iframe-name' // used to set the name attribute of the iframe element
  5. });

In the above code, we create a postmate object by calling the Postmate constructor. There are two main steps in the Postmate constructor: setting the internal properties of the Postmate object and sending a handshake message:


The code corresponding to the above flowchart is relatively simple, so I won't post the detailed code here. Interested friends can read the relevant content in the src/postmate.js file. In order to respond to the handshake information of the parent page, we need to create a Model object in the child page:

  1. const model = new Postmate.Model({
  2. // Expose your model to the Parent. Property values ​​may be functions, promises, or regular values  
  3. height: () => document.height || document.body.offsetHeight
  4. });

The Postmate.Model constructor is defined as follows:

  1. // src/postmate.js
  2. Postmate.Model = class Model {
  3. constructor(model) {
  4. this.child = window;
  5. this.model = model;
  6. this.parent = this.child.parent;
  7. return this.sendHandshakeReply();
  8. }
  9. }

In the Model constructor, we can clearly see the call to the sendHandshakeReply method. Here we only look at the core code:


Now let's summarize the handshake process between the parent page and the child page: When the child page is loaded, the parent page will send a handshake message to the child page through the postMessage API. After the child page receives the handshake message, it will also use the postMessage API to reply a handshake-reply message to the parent page.

In addition, it should be noted that in order to ensure that the child page can receive the handshake handshake message, a timer will be started inside the sendHandshake method to perform the sending operation:

  1. // src/postmate.js
  2. class Postmate {
  3. sendHandshake(url) {
  4. return new Postmate.Promise((resolve, reject) => {
  5. const loaded = () => {
  6. doSend();
  7. responseInterval = setInterval(doSend, 500);
  8. };
  9.  
  10. if (this.frame.attachEvent) {
  11. this.frame.attachEvent( "onload" , loaded);
  12. } else {
  13. this.frame.addEventListener( "load" , loaded);
  14. }
  15.        
  16. this.frame.src = url;
  17. });
  18. }
  19. }

Of course, in order to avoid sending too many invalid handshake messages, the maximum number of handshakes is limited inside the doSend method:

  1. const doSend = () => {
  2. attempt++;
  3. this.child.postMessage(
  4. {
  5. postmate: "handshake" ,
  6. type: messageType,
  7. model: this.model,
  8. },
  9. childOrigin
  10. );
  11. // const maxHandshakeRequests = 5;
  12. if (attempt === maxHandshakeRequests) {
  13. clearInterval(responseInterval);
  14. }
  15. };

After the main application and the sub-application complete the handshake, two-way message communication can be carried out. Let's learn how to implement two-way message communication.

3. How to implement two-way message communication

After calling the Postmate and Postmate.Model constructors, a Promise object is returned. When the Promise object's state changes from pending to resolved, ParentAPI and ChildAPI objects are returned respectively:

Postmate

  1. // src/postmate.js
  2. class Postmate {
  3. constructor({
  4. container = typeof container !== "undefined" ? container : document.body,
  5. model, url, name , classListArray = [],
  6. }) {
  7. // Omit setting the internal properties of the Postmate object
  8. return this.sendHandshake(url);
  9. }
  10.    
  11. sendHandshake(url) {
  12. // Omit some code
  13. return new Postmate.Promise((resolve, reject) => {
  14. const reply = (e) => {
  15. if (!sanitize(e, childOrigin)) return   false ;
  16. if (e.data.postmate === "handshake-reply" ) {
  17. return resolve(new ParentAPI(this));
  18. }
  19. return reject( "Failed handshake" );
  20. };
  21. });
  22. }
  23. }

ParentAPI

  1. class ParentAPI{
  2. +get(property: any ) // Get the value of the property attribute on the Model object in the subpage
  3. +call(property: any , data: any ) // Call the method on the Model object in the subpage
  4. + on (eventName: any , callback: any ) // Listen for events dispatched by subpages
  5. +destroy() // Remove event listener and delete iframe
  6. }

Postmate.Model

  1. // src/postmate.js
  2. Postmate.Model = class Model {
  3. constructor(model) {
  4. this.child = window;
  5. this.model = model;
  6. this.parent = this.child.parent;
  7. return this.sendHandshakeReply();
  8. }
  9.  
  10. sendHandshakeReply() {
  11. // Omit some code
  12. return new Postmate.Promise((resolve, reject) => {
  13. const shake = (e) => {
  14. if (e.data.postmate === "handshake" ) {
  15. this.child.removeEventListener( "message" , shake, false );
  16. return resolve(new ChildAPI(this));
  17. }
  18. return reject( "Handshake Reply Failed" );
  19. };
  20. this.child.addEventListener( "message" , shake, false );
  21. });
  22. }
  23. };

ChildAPI

  1. class ChildAPI{
  2. +emit( ​​name : any , data: any )
  3. }

3.1 Child page -> parent page

3.1.1 Subpage sends message

  1. const model = new Postmate.Model({
  2. // Expose your model to the Parent. Property values ​​may be functions, promises, or regular values  
  3. height: () => document.height || document.body.offsetHeight
  4. });
  5.  
  6. model.then (childAPI => {
  7. childAPI.emit( ​​'some-event' , 'Hello, World!' );
  8. });

In the above code, the child page can send messages through the emit method provided by the ChildAPI object. The definition of this method is as follows:

  1. export class ChildAPI {
  2. emit( ​​name , data) {
  3. this.parent.postMessage(
  4. {
  5. postmate: "emit" ,
  6. type: messageType,
  7. value: {
  8. name ,
  9. data,
  10. },
  11. },
  12. this.parentOrigin
  13. );
  14. }
  15. }

3.1.2 Parent page listens to messages

  1. const postmate = new Postmate({
  2. container: document.getElementById( 'some-div' ), // iframe container
  3. url: 'http://child.com/page.html' , // The iframe child page address containing postmate.js
  4. name : 'my-iframe-name' // used to set the name attribute of the iframe element
  5. });
  6.  
  7. postmate.then (parentAPI => {
  8. parentAPI.on ( 'some-event' , data => console.log(data)); // Logs "Hello, World!"  
  9. });

In the above code, the parent page can register the event handler through the on method provided by the ParentAPI object. The definition of this method is as follows:

  1. export class ParentAPI {
  2. constructor(info) {
  3. this.parent = info.parent;
  4. this.frame = info.frame;
  5. this.child = info.child;
  6.  
  7. this.events = {};
  8.  
  9. this.listener = (e) => {
  10. if (!sanitize(e, this.childOrigin)) return   false ;
  11. // Omit some code
  12. if (e.data.postmate === "emit" ) {
  13. if ( name   in this.events) {
  14. this.events[ name ].forEach((callback) => {
  15. callback.call(this, data);
  16. });
  17. }
  18. }
  19. };
  20.  
  21. this.parent.addEventListener( "message" , this.listener, false );
  22. }
  23.  
  24. on (eventName, callback) {
  25. if (!this.events[eventName]) {
  26. this.events[eventName] = [];
  27. }
  28. this.events[eventName].push(callback);
  29. }
  30. }

3.2 Message Verification

To ensure the security of communication, Postmate will verify the message when processing it. The corresponding verification logic is encapsulated in the sanitize method:

  1. const sanitize = (message, allowedOrigin) => {
  2. if (typeof allowedOrigin === "string" && message.origin !== allowedOrigin)
  3. return   false ;
  4. if (!message.data) return   false ;
  5. if (typeof message.data === "object" && !( "postmate"   in message.data))
  6. return   false ;
  7. if (message.data.type !== messageType) return   false ;
  8. if (!messageTypes[message.data.postmate]) return   false ;
  9. return   true ;
  10. };

The corresponding validation rules are as follows:

  • Verify that the source of the message is legitimate;
  • Verify whether there is a message body;
  • Verify whether the message body contains the postmate attribute;
  • Verify that the message type is "application/x-postmate-v1+json";
  • Verify whether the message type corresponding to the postmate in the message body is legal;

The following message types are supported by Postmate:

  1. const messageTypes = {
  2. handshake: 1,
  3. "handshake-reply" : 1,
  4. call: 1,
  5. emit: 1,
  6. reply: 1,
  7. request: 1,
  8. };

In fact, to implement message verification in advance, we also need to define a standard message body model:

  1. {
  2. postmate: "emit" , // required: "request" | "call" etc.
  3. type: messageType, // Required: "application/x-postmate-v1+json"  
  4. // Custom properties
  5. }

After understanding how child pages communicate with parent pages and how to perform message verification, let's take a look at how parent pages communicate messages with child pages.

3.3 Parent page -> child page

3.3.1 Calling methods on subpage model objects


In the page, we can call the method on the child page model object through the call method provided by the ParentAPI object:

  1. export class ParentAPI {
  2. call(property, data) {
  3. this.child.postMessage(
  4. {
  5. postmate: "call" ,
  6. type: messageType,
  7. property,
  8. data,
  9. },
  10. this.childOrigin
  11. );
  12. }
  13. }

In the ChildAPI object, the call message type will be processed accordingly. The corresponding processing logic is as follows:

  1. export class ChildAPI {
  2. constructor(info) {
  3. // Omit some code
  4. this.child.addEventListener( "message" , (e) => {
  5. if (!sanitize(e, this.parentOrigin)) return ;
  6. const { property, uid, data } = e.data;
  7.        
  8. // Respond to the call message type sent by the parent page, used to call the corresponding method on the Model object
  9. if (e.data.postmate === "call" ) {
  10. if (
  11. property in this.model &&
  12. typeof this.model[property] === "function"  
  13. ) {
  14. this.model[property](data);
  15. }
  16. return ;
  17. }
  18. });
  19. }
  20. }

From the above code, we know that the call message can only be used to call the method on the sub-page Model object and cannot obtain the return value of the method call. However, in some scenarios, we need to obtain the return value of the method call. Next, let's see how ParentAPI implements this function.

3.3.2 Calling methods on subpage model objects and getting return values

If we need to get the return value after the call, we need to call the get method provided on the ParentAPI object:

  1. export class ParentAPI {
  2. get(property) {
  3. return new Postmate.Promise((resolve) => {
  4. // Get data from the response and remove the listener
  5. const uid = generateNewMessageId();
  6. const transact = (e) => {
  7. if (e.data.uid === uid && e.data.postmate === "reply" ) {
  8. this.parent.removeEventListener( "message" , transact, false );
  9. resolve(e.data.value);
  10. }
  11. };
  12.        
  13. // Listen for response messages from subpages
  14. this.parent.addEventListener( "message" , transact, false );
  15.  
  16. // Send a request to the subpage
  17. this.child.postMessage(
  18. {
  19. postmate: "request" ,
  20. type: messageType,
  21. property,
  22. uid,
  23. },
  24. this.childOrigin
  25. );
  26. });
  27. }
  28. }

For the request message sent by the parent page, the child page will use the resolveValue method to obtain the return result, and then return the result through postMessage:

  1. // src/postmate.js
  2. export class ChildAPI {
  3. constructor(info) {
  4. this.child.addEventListener( "message" , (e) => {
  5. if (!sanitize(e, this.parentOrigin)) return ;
  6. const { property, uid, data } = e.data;
  7.        
  8. // Respond to the request message sent by the parent page
  9. resolveValue(this.model, property). then ((value) =>
  10. e.source.postMessage(
  11. {
  12. property,
  13. postmate: "reply" ,
  14. type: messageType,
  15. uid,
  16. value,
  17. },
  18. e.origin
  19. )
  20. );
  21. });
  22. }
  23. }

The resolveValue method in the above code is also very simple to implement:

  1. const resolveValue = (model, property) => {
  2. const unwrappedContext =
  3. typeof model[property] === "function" ? model[property]() : model[property];
  4. return Postmate.Promise.resolve(unwrappedContext);
  5. };

At this point, we have introduced how Postmate performs handshakes and how to implement two-way message communication. Finally, let's introduce how to disconnect.

4. How to disconnect

When the parent page and the child page have completed the message communication, we need to disconnect. At this time, we can call the destroy method on the ParentAPI object to disconnect.

  1. // src/postmate.js
  2. export class ParentAPI {
  3. destroy() {
  4. window.removeEventListener( "message" , this.listener, false );
  5. this.frame.parentNode.removeChild(this.frame);
  6. }
  7. }

In this article, Abaoge uses the Postmate library as an example to introduce how to implement elegant message communication between the parent page and the iframe child page based on postMessage. If you are still not satisfied, you can read Abaoge's previous articles related to communication: How to implement message communication elegantly? and WebSocket that you don't know.

5. Reference Resources

  • MDN - postMessage
  • Github - postmate【Editor's recommendation】
  1. Microsoft technical experts believe that SMS verification is not safe
  2. Ten years of cloud computing: Great power competition and life-and-death struggle among Internet giants
  3. Should programmers continue to choose computer science as their major for postgraduate entrance examination?
  4. What is the difference between adding semicolons and not adding semicolons to JavaScript code?
  5. Tomorrow at 1pm! A complete guide to booking for the Google Developer Conference

<<:  Skipping 5G, the United States starts working on 6G: Apple, Google and others join the "Next Generation G Alliance"

>>:  Application of 5G in epidemic prevention and control in medical system

Recommend

What’s going on? Can I use 5G network without a 5G package?

A few days ago, the 5G logo appeared on the mobil...

Photos: 2017 Huawei Connect Conference leaders and guests' wise words

HUAWEI CONNECT 2017 opened on September 5 at the ...

In addition to speed, what are the key technologies of 5G?

[[285321]] 5G is not just about faster internet s...

FCC authorizes first batch of 6GHz WiFi devices

The FCC has reportedly authorized the first batch...

Priced from 4999 yuan, Huawei Mate40 series goes on sale in China today

On October 30, 2020, in Shanghai, the highly anti...

Calculation of IP address and subnet mask

Each device connected to the network needs a uniq...

Interpretation of H3C's future industrial layout in the 5G era

One of the most important exhibitions of the year...

US reportedly allows chip sales to Huawei but only for non-5G business

Things have been bad for Huawei since the US ban....

GraphQL vs. REST: What have you learned?

Overview When creating a web service application,...

Four major trends in China's Internet development

On April 20, 1994, China gained full access to th...