万一发生崩溃,我们使用以下函数转储堆栈以获取有关崩溃的更多信息:
static void dumpStack()
{
char buf[64];
pid_t pid = getpid();
sprintf( buf, "%d", pid );
pid_t fork_result = vfork();
int status;
if( fork_result == 0 )
execlp( "pstack", "pstack", buf, NULL );
else if( fork_result > 0 )
waitpid( fork_result, &status, 0 );
else
std::cerr << "vfork failed with err=%s" << strerror( errno ) << std::endl;
}
在上面的代码中,父级永远停留在waitPid上。我检查了子进程变成僵尸的状态:
Deepak@linuxPC:~$ ps aux | grep 21054
700048982 21054 0.0 0.0 0 0 pts/0 Z+ 03:01 0:00 [pstack] <defunct>
此外,孩子打印的纸叠也不完整。它只打印一行并退出。
#0 0x00007f61cb48d26e in waitpid () from /lib64/libpthread.so.0
不确定父级为何无法获得该过程。
如果我在这里遗漏了任何东西,请您帮忙
答案 0 :(得分:0)
首先,使用backtrace()函数可能会更好,请参见How to automatically generate a stacktrace when my program crashes
对于您的代码,如果您使用的是64位Linux(可能),则pstack将不起作用。对我来说,它断断续续。此外,我同意对vfork()和execlp()的评论。另外,您可能需要以root用户身份执行程序。下面的代码对我有用(打印父级的堆栈,但不确定是否非常有用):
#include <sys/types.h>
#include <sys/wait.h>
#include <unistd.h>
#include <string.h>
#include <errno.h>
#include <iostream>
#include <system_error>
using std::cout;
static void dumpStack() {
char buf[64];
pid_t result;
pid_t pid = getpid();
sprintf(buf, "/proc/%d/stack", pid );
//cout << buf << '\n';
pid_t fork_result = vfork();
int status;
if( fork_result == 0 ) {
//execlp( "pstack", "pstack", buf, NULL );
cout << "Child before execlp\n";
execlp("cat", "cat", buf, NULL);
cout << "Child after execlp\n"; // Will not print, of course
} else if( fork_result > 0 ) {
result = waitpid( fork_result, &status, 0 );
if (result < 0) {
throw std::system_error(errno, std::generic_category());
}
} else {
std::cerr << "vfork failed with err=%s" << strerror( errno ) << std::endl;
}
cout << std::endl;
}
int main() {
dumpStack();
return 0;
}