This is a complementary post to Golang WebRTC | How to useĀ Pion
What is a signaling server š¤·āāļø ?
If we are talking about a webrtc signaling server are those servers that make posible the communication of two peers that want to share ICE candidates and other data before connecting between itselfs.
Why are soo important ā
Signaling servers are very important if we want to ensure a good UX on our product based on WebRTC. This is because the other ways of sharing this data between peers would be dependent on the user who want to use the APP.
What types of signaling servers exist š» ?
Basically you can implement however you want your signaling server but the most popular ways are using:
- REST API
- Websockets
Personally I prefer Websockets because of the abillity of two-way communication and the maturity of the libs on the main programming languages. If we talk about two-way communication we can also have Server Sent Event (SSE) but these might be a little dificult to use/implement if you are not using languages like JavaScript or TypeScript.
Code example for a Websocket WebRTC signaling server š
Now we are going to check how we can make a Websocket server to do signaling using TypeScript on Deno because DenoDeploy has a very good free tier to do this type of things. Also denodeploy is very usefull due to the lots of regions that use, ensuring that you can do fast signaling in many parts of the world.
This example is a simplification of my own signaling server that I am creating for GameLinkSafe
GameLinkSafe is an Desktop APP that replace Hamachi in the Gaming enviroment and makes easy to play LAN games through the internet.
If you want to help me with the launch consider pre-registering and share the website with more people ā„
Well, this example of code is done using oak web framework and we will cover all the parts with some explanations:
First we will import oak version 16.1.0
import { Application, Router } from "https://deno.land/x/oak@v16.1.0/mod.ts";
Next we will define our SignalMessage interface that we will share between the client/server websocket.
The discriminator field will be used to classify our signal_message if we are going to use the WS for more things than signaling.
In msg_target we will use the ID of the receiver or "*" to target all clients.
The msg_source always will be the ID of the sender.
Our signal is a simple string.
And for the last our signal_types that will be offer, answer, candidate and close. These are the posible actions that can have our signals.
interface SignalMessage {
discriminator: "signal_message";
signal: string;
msg_target: string;
msg_source: string;
signal_type: "offer" | "answer" | "candidate" | "close";
}
function instanceOfSignalMessage(object: object): object is SignalMessage {
return "discriminator" in object;
}
function isBroadcast(message: SignalMessage): boolean {
return message.msg_target === "*";
}
Now we will create an interface that extends the websocket to store there the user_id associated to the websocket.
interface SignalWebSocket extends WebSocket {
user_id: string;
}
Then we need a Map with the connected clients using as their key the user_id and value the SignalWebSocket that we define before.
const clientsConnected = new Map<string, SignalWebSocket[]>();
Now it is the turn for our server inicialization
const app = new Application();
const port = 8080;
const router = new Router();
In this case because of the use of Deno Deploy where we have different instances of our service working in different regions we will need a thing called BroadcastChannel this can be used to sync all the instances.
So we will create a channel called "signal_channel" and we will listen for it to search if the message is for one of our connected clients. And later when we try to send a message and we do not have that target we will post the signal data to the "signal_channel"
Note that this specific part of the broadcast channel is not required if you plan to host this outside of the deno deploy service.
function GetBroadCastChannel() {
try {
const channel = new BroadcastChannel("clients_channel");
channel.onmessage = (e) => {
const socket = e.data as SignalWebSocket;
const user_id = socket.user_id;
const currentClients = clientsConnected.get(user_id);
if (currentClients && currentClients.length > 0) {
clientsConnected.set(user_id, [...currentClients, socket]);
} else {
clientsConnected.set(user_id, [socket]);
}
};
return channel;
} catch {}
}
const channel = GetBroadCastChannel();
This will be the function that will try to send the message
function send_signal(message: object) {
if (instanceOfSignalMessage(message)) {
const msg = JSON.stringify(message);
if (isBroadcast(message)) {
clientsConnected.forEach((sockArr) => {
sockArr.forEach((s) => s.send(msg));
});
return;
}
const sockets = clientsConnected.get(message.msg_target);
sockets?.forEach((s) => s.send(msg));
}
}
The websocket endpoint will be like this. Here we handle the user_id, the websocket lifecycle and finally we setup and start our server
router.get("/ws", (ctx) => {
const socket = ctx.upgrade() as SignalWebSocket;
// implement authentication here
const user_id = ctx.request.url.searchParams.get("user_id");
if (user_id === null) {
return;
}
socket.user_id = user_id;
// when a new user logs in
socket.onopen = () => {
console.log(`New client connected: ${user_id}`);
const currentClients = clientsConnected.get(user_id);
if (currentClients && currentClients.length > 0) {
clientsConnected.set(user_id, [...currentClients, socket]);
} else {
clientsConnected.set(user_id, [socket]);
}
if (channel !== undefined) {
channel.postMessage(socket);
}
};
// when a client disconnects, remove them from the connected clients list
socket.onclose = () => {
console.log(`Client disconnected: ${user_id}`);
clientsConnected.delete(user_id);
};
// broadcast new message if someone sent one
socket.onmessage = (m) => {
const data = JSON.parse(m.data);
console.log(data);
send_signal(data);
if (instanceOfSignalMessage(data) && data.signal_type === "close") {
const sockets = clientsConnected.get(user_id);
const remainingSockets = sockets?.filter((s) => s !== socket) ?? [];
clientsConnected.set(user_id, remainingSockets);
socket.close();
}
};
});
app.use(router.routes());
app.use(router.allowedMethods());
console.log("Listening at http://localhost:" + port);
await app.listen({ port });
Obviously this implementation can be better in terms of optimization, specially in terms of the BroadcastChannel but can be a good base to start building your own signaling server. I hope you enjoy this little tutorial.
Before finishing this post I will say that I am looking for create a second part using Go to implement a simple client for this server using the Gorilla websockets with code examples. So if you want that second part the fastest I can, leave me comments with tons of love š
I always read and answer if you want to ask about something that is not very clear or you want more expanded explanations.
Top comments (0)