mirror of
https://github.com/cesanta/mongoose.git
synced 2024-11-28 13:49:01 +08:00
5714056f9f
A number of people asked for a WebSocket client example, websocket_chat_client is one. PUBLISHED_FROM=c33e758c0a36a0aa919bdb6ef37ed1478d6b29e2
83 lines
2.2 KiB
C
83 lines
2.2 KiB
C
/*
|
|
* Copyright (c) 2014 Cesanta Software Limited
|
|
* All rights reserved
|
|
*/
|
|
|
|
#include "mongoose.h"
|
|
|
|
static sig_atomic_t s_signal_received = 0;
|
|
static const char *s_http_port = "8000";
|
|
static struct mg_serve_http_opts s_http_server_opts;
|
|
|
|
static void signal_handler(int sig_num) {
|
|
signal(sig_num, signal_handler); // Reinstantiate signal handler
|
|
s_signal_received = sig_num;
|
|
}
|
|
|
|
static int is_websocket(const struct mg_connection *nc) {
|
|
return nc->flags & MG_F_IS_WEBSOCKET;
|
|
}
|
|
|
|
static void broadcast(struct mg_connection *nc, const struct mg_str msg) {
|
|
struct mg_connection *c;
|
|
char buf[500];
|
|
char addr[32];
|
|
mg_sock_addr_to_str(&nc->sa, addr, sizeof(addr),
|
|
MG_SOCK_STRINGIFY_IP | MG_SOCK_STRINGIFY_PORT);
|
|
|
|
snprintf(buf, sizeof(buf), "%s %.*s", addr, (int) msg.len, msg.p);
|
|
printf("%s\n", buf); /* Local echo. */
|
|
for (c = mg_next(nc->mgr, NULL); c != NULL; c = mg_next(nc->mgr, c)) {
|
|
if (c == nc) continue; /* Don't send to the sender. */
|
|
mg_send_websocket_frame(c, WEBSOCKET_OP_TEXT, buf, strlen(buf));
|
|
}
|
|
}
|
|
|
|
static void ev_handler(struct mg_connection *nc, int ev, void *ev_data) {
|
|
switch (ev) {
|
|
case MG_EV_WEBSOCKET_HANDSHAKE_DONE: {
|
|
/* New websocket connection. Tell everybody. */
|
|
broadcast(nc, mg_mk_str("++ joined"));
|
|
break;
|
|
}
|
|
case MG_EV_WEBSOCKET_FRAME: {
|
|
struct websocket_message *wm = (struct websocket_message *) ev_data;
|
|
/* New websocket message. Tell everybody. */
|
|
struct mg_str d = {(char *) wm->data, wm->size};
|
|
broadcast(nc, d);
|
|
break;
|
|
}
|
|
case MG_EV_CLOSE: {
|
|
/* Disconnect. Tell everybody. */
|
|
if (is_websocket(nc)) {
|
|
broadcast(nc, mg_mk_str("-- left"));
|
|
}
|
|
break;
|
|
}
|
|
}
|
|
}
|
|
|
|
int main(void) {
|
|
struct mg_mgr mgr;
|
|
struct mg_connection *nc;
|
|
|
|
signal(SIGTERM, signal_handler);
|
|
signal(SIGINT, signal_handler);
|
|
setvbuf(stdout, NULL, _IOLBF, 0);
|
|
setvbuf(stderr, NULL, _IOLBF, 0);
|
|
|
|
mg_mgr_init(&mgr, NULL);
|
|
|
|
nc = mg_bind(&mgr, s_http_port, ev_handler);
|
|
s_http_server_opts.document_root = ".";
|
|
mg_set_protocol_http_websocket(nc);
|
|
|
|
printf("Started on port %s\n", s_http_port);
|
|
while (s_signal_received == 0) {
|
|
mg_mgr_poll(&mgr, 200);
|
|
}
|
|
mg_mgr_free(&mgr);
|
|
|
|
return 0;
|
|
}
|