Understanding the VDO.Ninja IFRAME API: Detecting User Joins and Disconnects
The VDO.Ninja IFRAME API allows websites to embed and interact with VDO.Ninja streams. One of the most useful features is the ability to detect when users join or disconnect from your stream through event messaging. This guide will explain how to implement this functionality in your own projects.
How the IFRAME API Works
VDO.Ninja's IFRAME API uses the browser's postMessage API to communicate between your parent website and the embedded VDO.Ninja iframe. This allows you to:
Send commands to control the VDO.Ninja instance
Receive events and data from the VDO.Ninja instance
Setting Up the Basic Structure
irst, you need to create an iframe that loads VDO.Ninja:
// Create the iframe element
var iframe = document.createElement("iframe");
// Set necessary permissions
iframe.allow = "camera;microphone;fullscreen;display-capture;autoplay;";
// Set the source URL (your VDO.Ninja room)
iframe.src = "https://vdo.ninja/?room=your-room-name&cleanoutput";
// Add the iframe to your page
document.getElementById("container").appendChild(iframe);
Setting Up the Event Listener
To detect joins and disconnects, you need to set up an event listener for messages from the iframe:
// Set up event listener (cross-browser compatible)
var eventMethod = window.addEventListener ? "addEventListener" : "attachEvent";
var eventer = window[eventMethod];
var messageEvent = eventMethod === "attachEvent" ? "onmessage" : "message";
// Add the event listener
eventer(messageEvent, function (e) {
// Make sure the message is from our VDO.Ninja iframe
if (e.source != iframe.contentWindow) return;
// Log the data for debugging
console.log(e.data);
// Process specific events
if ("action" in e.data) {
// Handle different actions
handleAction(e.data);
}
}, false);
Detecting User Joins and Disconnects
The key events to watch for are:
Guest Connections
function handleAction(data) {
if (data.action === "guest-connected") {
// A new guest has connected
console.log("Guest connected:", data.streamID);
// You can access additional info if available
if (data.value && data.value.label) {
console.log("Guest label:", data.value.label);
}
}
else if (data.action === "view-connection") {
// Someone viewing the stream has connected
console.log("Viewer connected:", data.streamID);
// The value property will be true for connections
if (data.value) {
console.log("New viewer connected");
} else {
console.log("Viewer disconnected");
}
}
else if (data.action === "director-connected") {
// The director has connected
console.log("Director connected");
}
else if (data.action === "scene-connected") {
// A scene has connected
console.log("Scene connected:", data.value); // Scene ID
}
else if (data.action === "slot-updated") {
// A stream has been assigned to a slot
console.log("Stream", data.streamID, "assigned to slot", data.value);
}
}
Disconnections
function handleAction(data) {
// Handling disconnections
if (data.action === "view-connection" && data.value === false) {
// A viewer has disconnected
console.log("Viewer disconnected:", data.streamID);
}
else if (data.action === "director-share" && data.value === false) {
// A director has stopped sharing
console.log("Director stopped sharing:", data.streamID);
}
else if (data.action === "push-connection" && data.value === false) {
// A guest has disconnected
console.log("Guest disconnected:", data.streamID);
}
}
Complete Working Example
Here's a complete example that demonstrates detecting joins and disconnects:
// Create the container for the iframe
var container = document.createElement("div");
container.id = "vdo-container";
document.body.appendChild(container);
// Create the iframe element
var iframe = document.createElement("iframe");
iframe.allow = "camera;microphone;fullscreen;display-capture;autoplay;";
iframe.src = "https://vdo.ninja/?room=your-room-name&cleanoutput";
iframe.style.width = "100%";
iframe.style.height = "100%";
container.appendChild(iframe);
// Create a status display element
var statusDiv = document.createElement("div");
statusDiv.id = "connection-status";
document.body.appendChild(statusDiv);
// Set up event listener
var eventMethod = window.addEventListener ? "addEventListener" : "attachEvent";
var eventer = window[eventMethod];
var messageEvent = eventMethod === "attachEvent" ? "onmessage" : "message";
// Keep track of connected users
var connectedUsers = {};
// Add the event listener
eventer(messageEvent, function (e) {
// Make sure the message is from our VDO.Ninja iframe
if (e.source != iframe.contentWindow) return;
// Log all messages for debugging
console.log(e.data);
// Process specific actions
if ("action" in e.data) {
handleAction(e.data);
}
}, false);
function handleAction(data) {
// Handle connections
if (data.action === "guest-connected" && data.streamID) {
connectedUsers[data.streamID] = data.value?.label || "Guest";
updateStatusDisplay("Guest connected: " + (data.value?.label || data.streamID));
}
else if (data.action === "view-connection") {
if (data.value && data.streamID) {
connectedUsers[data.streamID] = "Viewer";
updateStatusDisplay("Viewer connected: " + data.streamID);
} else if (data.streamID) {
delete connectedUsers[data.streamID];
updateStatusDisplay("Viewer disconnected: " + data.streamID);
}
}
else if (data.action === "director-connected") {
updateStatusDisplay("Director connected");
}
else if (data.action === "push-connection" && data.value === false && data.streamID) {
delete connectedUsers[data.streamID];
updateStatusDisplay("User disconnected: " + data.streamID);
}
}
function updateStatusDisplay(message) {
var timestamp = new Date().toLocaleTimeString();
statusDiv.innerHTML += `<p>${timestamp}: ${message}</p>`;
// Update connected users count
var count = Object.keys(connectedUsers).length;
document.getElementById("user-count").textContent = count;
}
// Add a user count display
var countDiv = document.createElement("div");
countDiv.innerHTML = "Connected users: <span id='user-count'>0</span>";
document.body.insertBefore(countDiv, statusDiv);
Waiting Room Example
You can implement a waiting room like the one in the waitingroom.html file from your code samples:
// Setup event listener
var eventMethod = window.addEventListener ? "addEventListener" : "attachEvent";
var eventer = window[eventMethod];
var messageEvent = eventMethod === "attachEvent" ? "onmessage" : "message";
var waiting = null;
eventer(messageEvent, function (e) {
if (e.source != iframe.contentWindow) return;
if ("action" in e.data) {
if (e.data.action == "joining-room") {
// Show initial joining message
outputWindow.innerHTML = "JOINING ROOM";
// After 1 second, show waiting message if director hasn't joined
waiting = setTimeout(function() {
outputWindow.innerHTML = "Waiting for the director to join";
outputWindow.classList.remove("hidden");
}, 1000);
}
else if (e.data.action == "director-connected") {
// Director has joined, clear waiting message
clearTimeout(waiting);
outputWindow.innerHTML = "";
outputWindow.classList.add("hidden");
}
}
});
Getting Additional Information About Connections
For more detailed information about connections, you can use the getStreamIDs or getDetailedState commands:
// Request info about all connected streams
iframe.contentWindow.postMessage({ "getStreamIDs": true }, "*");
// Request detailed state information
iframe.contentWindow.postMessage({ "getDetailedState": true }, "*");
Best Practices
Always check the source: Make sure messages are coming from your VDO.Ninja iframe.
Handle disconnections gracefully: Sometimes connections drop unexpectedly.
Consider implementing reconnection logic: If important users disconnect, you might want to notify them or attempt to reconnect.
Debug with console.log: Log all events during development to understand the full message flow.
Test with multiple users: The behavior can be different depending on who connects first.
By implementing these techniques, you can build sophisticated applications that respond to users joining and leaving your VDO.Ninja sessions, creating more interactive and responsive experiences.
VDO.Ninja IFRAME API - Complete Inbound Control Reference
This document provides a comprehensive list of all inbound remote control calls available through the VDO.Ninja IFRAME API. These commands allow you to control a VDO.Ninja instance embedded in an iframe from your parent webpage.
Sets the volume level for incoming audio (0.0 to 1.0).
// Set volume to 50%
iframe.contentWindow.postMessage({ volume: 0.5 }, "*");
// Set volume for specific stream
iframe.contentWindow.postMessage({
volume: 0.8,
target: "streamID123" // or use "*" for all streams
}, "*");
panning - Audio Panning
Adjusts stereo panning for incoming audio.
// Pan left (-90 to 90, where -90 is full left, 90 is full right)
iframe.contentWindow.postMessage({
panning: -45,
UUID: "connection-uuid" // optional, applies to all if omitted
}, "*");
// Start recording
iframe.contentWindow.postMessage({ record: true }, "*");
// Stop recording
iframe.contentWindow.postMessage({ record: false }, "*");
// Record specific video element
iframe.contentWindow.postMessage({
record: "videoElementId"
}, "*");
Group Management
groups - Set Groups
Sets the groups for the local stream.
// Set groups as array
iframe.contentWindow.postMessage({
groups: ["group1", "group2"]
}, "*");
// Set groups as comma-separated string
iframe.contentWindow.postMessage({
groups: "group1,group2"
}, "*");
// Clear groups
iframe.contentWindow.postMessage({ groups: [] }, "*");
groupView - Set View Groups
Sets which groups are visible.
// View specific groups
iframe.contentWindow.postMessage({
groupView: ["group1", "group3"]
}, "*");
// View all groups
iframe.contentWindow.postMessage({ groupView: [] }, "*");
Bitrate & Quality Controls
bitrate - Video Bitrate Control
Sets video bitrate for streams (in kbps).
// Set bitrate for all streams
iframe.contentWindow.postMessage({
bitrate: 2500,
lock: true // optional, defaults to true
}, "*");
// Set bitrate for specific stream
iframe.contentWindow.postMessage({
bitrate: 1000,
target: "streamID123" // or UUID: "uuid-here"
}, "*");
iframe.contentWindow.postMessage({
getDeviceList: true,
cib: "callback-id" // optional callback ID
}, "*");
// Response will be sent back via postMessage:
// { deviceList: [...], cib: "callback-id" }
Layout & Display Controls
layout - Set Layout
Sets the display layout.
// Set single layout
iframe.contentWindow.postMessage({ layout: "grid" }, "*");
// Set multiple layouts (array)
iframe.contentWindow.postMessage({
layout: ["grid", "presenter"]
}, "*");
// With scene control (director only)
iframe.contentWindow.postMessage({
layout: "grid",
scene: 1,
UUID: "target-uuid" // optional
}, "*");
previewMode - Switch Preview Mode
Switches between preview modes.
iframe.contentWindow.postMessage({
previewMode: 1 // mode number
}, "*");
slotmode - Slot Mode Control
Controls slot mode behavior.
iframe.contentWindow.postMessage({
slotmode: 1 // slot mode number, or false to disable
}, "*");
advancedMode - Toggle Advanced UI
Shows/hides advanced UI elements.
// Show advanced elements
iframe.contentWindow.postMessage({ advancedMode: true }, "*");
// Hide advanced elements
iframe.contentWindow.postMessage({ advancedMode: false }, "*");
iframe.contentWindow.postMessage({
copyVideoFrameToClipboard: true,
streamID: "streamID123" // or UUID
}, "*");
getSnapshotBySlot / getSnapshotByStreamID - Get Slot/Stream Snapshot
Gets a snapshot from a specific slot or stream using MediaStreamTrackProcessor.
// By slot number
iframe.contentWindow.postMessage({
getSnapshotBySlot: 0, // slot index
cib: "callback-id"
}, "*");
// By stream ID
iframe.contentWindow.postMessage({
getSnapshotByStreamID: "streamID123",
cib: "callback-id"
}, "*");
// Response includes base64 image data:
// {
// type: 'frame',
// frame: 'data:image/png;base64,...',
// UUID: 'connection-uuid',
// streamID: 'streamID123',
// slot: 0,
// format: 'png',
// cib: 'callback-id'
// }
Advanced Controls
sceneState - OBS Scene State
Sets the scene state for OBS integration.
// Scene is live
iframe.contentWindow.postMessage({
sceneState: true
}, "*");
// Scene is not live
iframe.contentWindow.postMessage({
sceneState: false
}, "*");
// Set default buffer delay
iframe.contentWindow.postMessage({
setBufferDelay: 200
}, "*");
// Set for specific stream
iframe.contentWindow.postMessage({
setBufferDelay: 300,
streamID: "streamID123" // or UUID or label
}, "*");
// Set for all streams
iframe.contentWindow.postMessage({
setBufferDelay: 250,
UUID: "*"
}, "*");
Gets data from visual effects (face tracking, etc.).
// Get specific effect data
iframe.contentWindow.postMessage({
getEffectsData: "effect-name"
}, "*");
// Disable effects data
iframe.contentWindow.postMessage({
getEffectsData: false
}, "*");