How to determine if code is running in signal-handler context?

前端 未结 6 1233
一生所求
一生所求 2021-02-03 11:11

I just found out that someone is calling - from a signal handler - a definitely not async-signal-safe function that I wrote.

So, now I\'m curious: how to circumvent this

6条回答
  •  傲寒
    傲寒 (楼主)
    2021-02-03 11:25

    There are two proper ways to deal with this:

    • Have your co-workers stop doing the wrong thing. Good luck pulling this off with the boss, though...

    • Make your function re-entrant and async-safe. If necessary, provide a function with a different signature (e.g. using the widely-used *_r naming convention) with the additional arguments that are necessary for state preservation.

    As for the non-proper way to do this, on Linux with GNU libc you can use backtrace() and friends to go through the caller list of your function. It's not easy to get right, safe or portable, but it might do for a while:

    /*
     * *** Warning ***
     *
     * Black, fragile and unportable magic ahead
     *
     * Do not use this, lest the daemons of hell be unleashed upon you
     */
    int in_signal_handler_context() {
            int i, n;
            void *bt[1000];
            char **bts = NULL;
    
            n = backtrace(bt, 1000);
            bts = backtrace_symbols(bt, n);
    
            for (i = 0; i < n; ++i)
                    printf("%i - %s\n", i, bts[i]);
    
            /* Have a look at the caller chain */
            for (i = 0; i < n; ++i) {
                    /* Far more checks are needed here to avoid misfires */
                    if (strstr(bts[i], "(__libc_start_main+") != NULL)
                            return 0;
                    if (strstr(bts[i], "libc.so.6(+") != NULL)
                            return 1;
            }
    
            return 0;
    }
    
    
    void unsafe() {
            if (in_signal_handler_context())
                    printf("John, you know you are an idiot, right?\n");
    }
    

    In my opinion, it might just be better to quit rather than be forced to write code like this.

提交回复
热议问题