我遇到了一个我无法解决的奇怪问题。这是我的代码。
#include <stdio.h>
#include <stropts.h>
#include <signal.h>
#include <sys/types.h>
void handle_signal(int s)
{
char c = getchar();
printf("got char '%c'\n");
if(c == 'q')
{
exit(0);
}
}
int main(int argc, char** argv)
{
sigset(SIGPOLL, handle_signal);
ioctl(0, I_SETSIG, S_RDNORM);
printf("type q to exit");
while(1);
return 0;
}
当我运行这个程序时,我在终端输入字符,但它没有工作!我无法收到SIGPOLL信号。有人可以给我一些建议吗?顺便说一句,我的操作系统是ubuntu 12.04。
答案 0 :(得分:2)
在Linux上,它需要在文件描述符上设置O_ASYNC
标志和F_SETOWN
属性以获取SIGIO
信号(SIGPOLL
的同义词)。并且信号处理程序只能调用异步信号安全函数:
#include <stdio.h>
#include <signal.h>
#include <unistd.h>
#include <stdlib.h>
#include <fcntl.h>
#include <ctype.h>
void handle_signal(int) { // Can only use async-signal safe functions here.
char msg[] = "got char c\n";
char* c = msg + (sizeof msg - 3);
if(1 != read(STDIN_FILENO, c, 1) || !isprint(*c))
return;
write(STDOUT_FILENO, msg, sizeof msg - 1);
if(*c == 'q')
exit(EXIT_SUCCESS);
}
int main() {
printf("type q to exit\n");
signal(SIGIO, handle_signal);
fcntl(STDIN_FILENO, F_SETFL, O_ASYNC | fcntl(STDIN_FILENO, F_GETFL));
fcntl(STDIN_FILENO, F_SETOWN, getpid());
sigset_t mask;
sigemptyset(&mask);
for(;;)
sigsuspend(&mask);
return EXIT_SUCCESS;
}
您可能还想看一下F_SETSIG
,它允许您选择信号和信号处理程序中的额外信息。