1 | #include <glib.h> |
---|
2 | #include <pthread.h> |
---|
3 | #include <signal.h> |
---|
4 | #include <stdio.h> |
---|
5 | #include <stdlib.h> |
---|
6 | |
---|
7 | static GThread *signal_thread; |
---|
8 | static sigset_t signal_set; |
---|
9 | |
---|
10 | static void (*signal_cb)(int, void*); |
---|
11 | static void *signal_cbdata; |
---|
12 | |
---|
13 | static gpointer signal_thread_func(gpointer data); |
---|
14 | static gboolean signal_thunk(gpointer data); |
---|
15 | |
---|
16 | void owl_signal_init(const sigset_t *set, void (*callback)(int, void*), void *data) { |
---|
17 | GError *error = NULL; |
---|
18 | |
---|
19 | signal_set = *set; |
---|
20 | signal_cb = callback; |
---|
21 | signal_cbdata = data; |
---|
22 | /* Block these signals in all threads, so we can get them. */ |
---|
23 | pthread_sigmask(SIG_BLOCK, set, NULL); |
---|
24 | /* Spawn a dedicated thread to sigwait. */ |
---|
25 | signal_thread = g_thread_create(signal_thread_func, g_main_context_default(), |
---|
26 | FALSE, &error); |
---|
27 | if (signal_thread == NULL) { |
---|
28 | fprintf(stderr, "Failed to create signal thread: %s\n", error->message); |
---|
29 | exit(1); |
---|
30 | } |
---|
31 | } |
---|
32 | |
---|
33 | static gpointer signal_thread_func(gpointer data) { |
---|
34 | GMainContext *context = data; |
---|
35 | |
---|
36 | while (1) { |
---|
37 | GSource *source; |
---|
38 | int signal; |
---|
39 | int ret; |
---|
40 | |
---|
41 | ret = sigwait(&signal_set, &signal); |
---|
42 | /* TODO: Print an error? man page claims it never errors. */ |
---|
43 | if (ret != 0) |
---|
44 | continue; |
---|
45 | |
---|
46 | /* Send a message to the other main. */ |
---|
47 | source = g_idle_source_new(); |
---|
48 | g_source_set_priority(source, G_PRIORITY_DEFAULT); |
---|
49 | g_source_set_callback(source, signal_thunk, GINT_TO_POINTER(signal), NULL); |
---|
50 | g_source_attach(source, context); |
---|
51 | g_source_unref(source); |
---|
52 | } |
---|
53 | return NULL; |
---|
54 | } |
---|
55 | |
---|
56 | static gboolean signal_thunk(gpointer data) { |
---|
57 | signal_cb(GPOINTER_TO_INT(data), signal_cbdata); |
---|
58 | return FALSE; |
---|
59 | } |
---|