JavaScript offer many APIs for communication across different sections of an web application or with other web applications.
In this blog, we'll try to understand usages and use cases for BroadcastChannel
.
Step 1: Feature detection
if ('BroadcastChannel' in self) {
// BroadcastChannel API supported!
}
Step 2: Create a channel
var bc = new BroadcastChannel('sample_app_channel'); // channel name
Step 3: Sending message
bc.postMessage("Sample message");
Step 4: Listening/receiving message
bc.onmessage = (messageEvent) => {
title.innerHTML = messageEvent.data;
}
If the hosts are different it won’t work:
If the ports are different it won’t work:
If the schemes are different it won’t work. That is similar to different ports since the standard is that http and https respectively use port 80 and 443:
Broadcast channels will not work if one of the windows is in incognito mode or across browsers (e.g. Firefox to Chrome).
A channel won't broadcast to itself. So if you have an onmessage listener on the same page as a postMessage() to the same channel, that message event doesn't fire.
//index.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Sender document</title>
</head>
<body>
<label>Enter your name</label>
<input id="name-field" placeholder="Enter Your Name" />
</body>
<script>
var bc = new BroadcastChannel('sample_app_channel');
(() => {
const nameField = document.getElementById('name-field');
nameField.onchange = (e) => {
const inputValue = e.target.value;
bc.postMessage(inputValue);
}
})()
</script>
</body>
</html>
//index2.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Receiver document</title>
</head>
<body>
<h1 id="title">Hi</h1>
</body>
<script>
var bc = new BroadcastChannel('sample_app_channel');
(() => {
const title = document.getElementById('title');
const setTitle = (name) => {
title.innerHTML = 'Hi ' + name;
}
bc.onmessage = (messageEvent) => {
setTitle(messageEvent.data);
}
})()
</script>
</body>
</html>