mongoose/examples/timers/main.c

54 lines
2.0 KiB
C
Raw Normal View History

2020-12-17 19:44:30 +08:00
// Copyright (c) 2020 Cesanta Software Limited
// All rights reserved
//
// Example Websocket server with timers. This is a simple Websocket echo
// server, which sends a message to all connected clients periodically,
// using timer API.
#include "mongoose.h"
static const char *s_listen_on = "http://localhost:8000";
2022-06-02 00:09:15 +08:00
static const char *s_web_root = "web_root";
2020-12-17 19:44:30 +08:00
// This RESTful server implements the following endpoints:
static void fn(struct mg_connection *c, int ev, void *ev_data, void *fn_data) {
if (ev == MG_EV_HTTP_MSG) {
struct mg_http_message *hm = (struct mg_http_message *) ev_data;
2022-06-02 00:09:15 +08:00
if (mg_http_match_uri(hm, "/websocket")) {
2022-06-02 04:15:31 +08:00
mg_ws_upgrade(c, hm, NULL); // Upgrade HTTP to Websocket
c->label[0] = 'W'; // Set some unique mark on a connection
2022-06-02 00:09:15 +08:00
} else {
// Serve static files
struct mg_http_serve_opts opts = {.root_dir = s_web_root};
mg_http_serve_dir(c, ev_data, &opts);
}
2020-12-17 19:44:30 +08:00
} else if (ev == MG_EV_WS_MSG) {
// Got websocket frame. Received data is wm->data. Echo it back!
struct mg_ws_message *wm = (struct mg_ws_message *) ev_data;
mg_ws_send(c, wm->data.ptr, wm->data.len, WEBSOCKET_OP_TEXT);
2021-08-28 14:16:38 +08:00
mg_iobuf_del(&c->recv, 0, c->recv.len);
2020-12-17 19:44:30 +08:00
}
(void) fn_data;
}
static void timer_fn(void *arg) {
struct mg_mgr *mgr = (struct mg_mgr *) arg;
// Broadcast "hi" message to all connected websocket clients.
// Traverse over all connections
2021-08-22 17:51:40 +08:00
for (struct mg_connection *c = mgr->conns; c != NULL; c = c->next) {
// Send only to marked connections
if (c->label[0] == 'W') mg_ws_send(c, "hi", 2, WEBSOCKET_OP_TEXT);
2020-12-17 19:44:30 +08:00
}
}
int main(void) {
2022-08-01 18:19:32 +08:00
struct mg_mgr mgr; // Event manager
mg_mgr_init(&mgr); // Initialise event manager
mg_log_set(MG_LL_DEBUG); // Set log level
mg_timer_add(&mgr, 1000, MG_TIMER_REPEAT, timer_fn, &mgr);
2020-12-17 19:44:30 +08:00
mg_http_listen(&mgr, s_listen_on, fn, NULL); // Create HTTP listener
2022-08-01 18:19:32 +08:00
for (;;) mg_mgr_poll(&mgr, 500); // Infinite event loop
2020-12-17 19:44:30 +08:00
mg_mgr_free(&mgr); // Free manager resources
return 0;
}