MessageChannel
是一种用于在不同线程之间进行通信的 JavaScript API。它允许创建一个双向的通信通道,用于发送和接收消息。MessageChannel 可以在主线程和 Web Worker 之间建立通信,也可以在主线程和 Service Worker 之间建立通信。
使用 MessageChannel
,开发者可以创建一个通信端口,通过端口发送消息,并监听来自另一个端口的消息。
- 对于主线程和 Web Worker 之间的通信,可以使用
postMessage()
方法发送消息,使用onmessage
事件监听接收到的消息。 - 对于主线程和 Service Worker 之间的通信,可以使用 Service Worker 的
postMessage()
方法发送消息,使用 Navigator 对象的onmessage
事件监听接收到的消息。
代码示例
在下面的代码块中,你会看到一个由 MessageChannel
构造函数创建的新 Channel
. 当 IFrame 被加载后,我们使用 MessagePort.postMessage
把 port2 和一条消息一起发送给 IFrame. 然后 handleMessage
回调响应 IFrame 发回的消息(使用 MessagePort.onmessage
),并把它渲染到页面段落中。MessageChannel.port1
用来监听,当消息到达时,会进行处理。
<h1>Channel messaging demo</h1>
<p class="output">A message from the iframe in page2.html</p>
<iframe src="page2.html" width="480" height="320"></iframe>
<script>
const channel = new MessageChannel();
const output = document.querySelector(".output");
const iframe = document.querySelector("iframe");
// Wait for the iframe to load
iframe.addEventListener("load", onLoad);
function onLoad() {
// Listen for messages on port1
channel.port1.onmessage = onMessage;
// Transfer port2 to the iframe
iframe.contentWindow.postMessage(
"A message from the index.html page!",
"*",
[channel.port2]
);
}
// Handle messages received on port1
function onMessage(e) {
console.log(e)
output.innerText = e.data;
}
</script>
<!-- page2.html -->
<p class="output">A message from the index.html page!</p>
<script>
const output = document.querySelector(".output");
window.addEventListener("message", onMessage);
function onMessage(e) {
output.innerText = e.data;
// Use the transferred port to post a message to the main frame
e.ports[0].postMessage("A message from the iframe in page2.html");
}
</script>
总结
MessageChannel
提供了一种可靠、高效的异步(宏任务)通信方式,可以用于多个线程之间的数据传输和协作,特别适用于复杂的交互和并行处理场景。使用 MessageChannel 可以方便地实现一些功能,例如主线程和 Web Worker 之间的任务分发、主线程和 Service Worker 之间的数据同步等。