在我的应用程序中,我想根据这篇文章对段错误实现回溯:
How to generate a stacktrace when my gcc C++ app crashes
但是我遇到了一个问题。我的应用程序使用 DirectFB 进行图形处理。我通过调用 DirectFBCreate 初始化 DirectFB 后,信号处理程序停止调用。无论信号处理程序在哪里注册。请比较以下代码中的 main1、main2 和 main3 函数:
#include <stdio.h>
#include <execinfo.h>
#include <signal.h>
#include <stdlib.h>
#include <unistd.h>
#include <directfb.h>
void handler(int sig) {
void *array[10];
size_t size;
// get void*'s for all entries on the stack
size = backtrace(array, 10);
// print out all the frames to stderr
fprintf(stderr, "Error: signal %d:\n", sig);
backtrace_symbols_fd(array, size, STDERR_FILENO);
exit(1);
}
void baz() {
int *foo = (int*)-1; // make a bad pointer
printf("%d\n", *foo); // causes segfault
}
void bar() { baz(); }
void foo() { bar(); }
int main1(int argc, char **argv) {
signal(SIGSEGV, handler); // install our handler
// if the foo() function is called here,
// everything works as it should
foo();
IDirectFB *dfb = NULL;
DFBCHECK (DirectFBInit (&argc, &argv));
DFBCHECK (DirectFBCreate (&dfb));
}
int main2(int argc, char **argv) {
signal(SIGSEGV, handler); // install our handler
IDirectFB *dfb = NULL;
DFBCHECK (DirectFBInit (&argc, &argv));
DFBCHECK (DirectFBCreate (&dfb));
// but calling the foo() function after DirectFBCreate causes
// that the handler is not called
foo();
}
int main2(int argc, char **argv) {
IDirectFB *dfb = NULL;
DFBCHECK (DirectFBInit (&argc, &argv));
DFBCHECK (DirectFBCreate (&dfb));
signal(SIGSEGV, handler); // install our handler
// calling the foo() function after DirectFBCreate causes,
// that the handler is not called
// no matter the signal handler is registered after DirectFBCreate calling
foo();
}
我也尝试过
sigaction
函数而不是 signal
函数,结果相同。我也尝试过使用
sigprocmask(SIG_SETMASK, &mask, NULL)
来解除信号阻塞。但这也没有帮助(这是我所期望的)。最后我找到了这篇文章 signal handler not working ,
这似乎通过调用
zsys_handler_set(NULL);
禁用库的信号处理程序来解决类似的问题。所以我尝试了 signal(SIGSEGV, NULL);
和 signal(SIGSEGV, SIG_DFL);
。又没有成功。我在 DirectFB 中没有找到任何处理程序禁用功能。尽管我在 DirectFB 配置中发现了 [no-]sighandler 参数并使用了它,但这并没有帮助(这让我很惊讶)。我的问题是:如果 DirectFB 能够强化我的处理程序,我该如何取回它?
最佳答案
我使用了评论中提到的 strace 。我发现 DirectFB 不调用 sigaction 系统调用,但它阻止了一些信号,包括 SIGSEGV。 DirectFB 初始化后解除阻塞信号是解决方案。
// DirectFb initialization
IDirectFB *dfb = NULL;
DFBCHECK (DirectFBInit (&argc, &argv));
DFBCHECK (DirectFBCreate (&dfb));
// Unblock the signal
sigset_t sa_mask;
sigemptyset(&sa_mask);
sigaddset(&sa_mask, SIGSEGV);
sigprocmask(SIG_UNBLOCK, &sa_mask, NULL);
// here is important to use SIG_UNBLOCK flag
// not SIG_SETMASK as I did in my question!!!
// Now this causes the handler call
foo();
关于c - DirectFBCreate 后未调用 SIGSEGV 信号处理程序,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45999697/