在 C 语言中发送信号到一个进程
本文将解释几种如何在 C 语言中将信号发送到进程的方法。
使用 kill
函数将信号发送到 C 语言中的进程
信号是中断样式的通知,可以表示特定事件,并且可以将其发送到进程。如果第一个进程具有正确的权限,则一个进程可以向另一个进程发送信号。信号是一种进程间通信,可用于与不同程序,子进程或线程进行交互。kill
功能可用于向过程发送各种信号。它带有两个参数-要传递的进程 ID 和信号号。请注意,信号号是常量整数,定义为 SIG___
类型宏。
在下面的示例中,我们演示了一个程序,该程序使用 fork
调用创建一个子进程,然后执行递增整数的无限循环。同时,父进程发出 SIGTERM
信号,终止子进程,并且在使用 waitpid
调用接收到子状态代码后,主函数退出。
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/wait.h>
#include <signal.h>
int main(int argc, char *argv[]) {
int wstatus;
pid_t c_pid = fork();
if (c_pid == -1) {
perror("fork");
exit(EXIT_FAILURE);
}
if (c_pid == 0) {
printf("printed from child process - %d\n", getpid());
int count = 0;
while (1) {
count += 1;
}
exit(EXIT_SUCCESS);
} else {
printf("printed from parent process - %d\n", getpid());
int ret;
ret = kill(c_pid, SIGTERM);
if (ret == -1) {
perror("kill");
exit(EXIT_FAILURE);
}
if (waitpid(c_pid, &wstatus, WUNTRACED | WCONTINUED) == -1) {
perror("waitpid");
exit(EXIT_FAILURE);
}
}
exit(EXIT_SUCCESS);
}
使用 kill
函数和空信号来检查 C 语言中进程的存在
kill
功能的另一个用例是检查进程的存在。即使你尝试使用此方法验证某些进程的存在,在某些情况下,检索到的状态也不正确。这可能是由于观察到的过程已经终止并且不同的程序使用了相同的 ID 而引起的,因为操作系统允许重复使用标识号。
需要向 kill
传递一个信号编号-0
,并且应对函数的返回码进行 errno
码的测试。也就是说,如果 kill
返回 -1
错误代码,并且将 errno
设置为 ESRCH
,则给定的进程不存在。如果错误代码返回并带有 errno
的 EPERM
值-程序存在,但是调用者进程没有发送信号的许可。如果返回零,则该过程存在,并且调用者进程可以向其发送其他信号。
下面的代码示例实现上述状态检查语句并打印相应的消息。
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/wait.h>
#include <signal.h>
#include <errno.h>
#include <stdbool.h>
int main(int argc, char *argv[]) {
int wstatus;
pid_t c_pid = fork();
if (c_pid == -1) {
perror("fork");
exit(EXIT_FAILURE);
}
if (c_pid == 0) {
printf("printed from child process - %d\n", getpid());
int count = 10;
while (count >= 0) {
count -= 1;
sleep(1);
}
exit(EXIT_SUCCESS);
} else {
printf("printed from parent process - %d\n", getpid());
int ret;
errno = 0;
ret = kill(c_pid, 0);
if (ret == -1) {
if (errno == EPERM)
printf("Process exists, but we don't have "
"permission to send it a signal\n");
else if (errno == ESRCH)
printf("Process does not exist\n");
else
perror("kill");
exit(EXIT_FAILURE);
} else {
printf("Process exists and we can send it a signal\n");
}
if (waitpid(c_pid, &wstatus, WUNTRACED | WCONTINUED) == -1) {
perror("waitpid");
exit(EXIT_FAILURE);
}
}
exit(EXIT_SUCCESS);
}
Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.
LinkedIn