我正在尝试分叉我的C应用程序,在嵌入式Linux环境中运行,并获得失败/成功分析的返回值。
我查看了类似的问题(例如this,this,this,this和其他一些Q / A ..)但仍然无法获得它起作用。
代码:
static int fork_test(const char *src, const char *dst)
{
int childExitStatus;
pid_t pid;
int status;
DEBUG_PRINT("forking");
pid = fork();
if (pid == 0) { // child
sleep(2);
DEBUG_PRINT("child - exiting");
exit(1);
}
else if (pid < 0) {
return -1;
}
else { // parent
int i;
for (i = 0 ; i < 10 ; i++)
{
pid_t ws = waitpid(pid, &childExitStatus, WNOHANG);
if (-1 == ws)
{
DEBUG_PRINT("parent - failed wait. errno = %d", errno);
return -1;
}
if (0 == ws)
{
DEBUG_PRINT("parent - child is still running");
sleep(1);
continue;
}
}
if (10 == i)
return -1;
DEBUG_PRINT("parent - done waiting");
if (WIFEXITED(childExitStatus)) /* exit code in childExitStatus */
{
DEBUG_PRINT("parent - got status %d", childExitStatus);
status = WEXITSTATUS(childExitStatus); /* zero is normal exit */
if (0 != status)
{
DEBUG_PRINT("parent - picked up bad exit status");
return status;
}
return 0;
}
else
{
DEBUG_PRINT("parent - bad exit route");
return -1;
}
}
}
这提供了这个输出:
分叉
父母 - 孩子仍然在运行 父母 - 孩子仍然在运行 父母 - 孩子仍然在运行 孩子 - 退出 父母 - 等待失败。 errno = 10
请注意,errno = 10表示ECHILD。
所以我试着添加:
...
DEBUG_PRINT("forking");
signal(SIGCHLD,SIG_DFL);
pid = fork();
...
(或与SIG_IGN)没有区别。 我可以成功地为SIGCHLD添加一个信号处理程序,并且可能能够使用sigwait()或者喜欢等待信号而不是子进程,但这似乎是一个糟糕的解决方案..
知道我在这里失踪的是什么吗?
$ uname -mrso
Linux 3.18.20 armv7l GNU / Linux
答案 0 :(得分:3)
您的代码可以很好地测试&#34;错误&#34;。好。
但遗憾的是,代码错过了捕获你所追求的案例,即waitpid()
实际返回孩子的PID的情况。
你可以这样做:
for (i = 0 ; i < 10 ; i++)
{
pid_t ws = waitpid(pid, &childExitStatus, WNOHANG);
if (-1 == ws)
{
DEBUG_PRINT("parent - failed wait. errno = %d", errno);
return -1;
}
else if (0 == ws)
{
DEBUG_PRINT("parent - child is still running");
sleep(1);
continue;
}
DEBUG_PRINT("parent - successfully waited for child with PID %d", (int) ws);
break;
}