我有一个问题需要解决:我的进程中的某个线程正在执行同步系统调用,我想立即中断。为了解决这个问题,我可以通过pthread_kill
发送信号,这会强制它以EINTR
返回。我制作了一段代码来说明这一点:
#include <errno.h>
#include <signal.h>
#include <stdio.h>
#include <string.h>
#include <sys/select.h>
#include <unistd.h>
#define SIG SIGALRM
int work = 1;
void signal_action(int signal)
{
fprintf(stderr, "%s caught\n", strsignal(signal));
}
void* thread_routine(void* arg)
{
struct sigaction sa;
sa.sa_handler = signal_action;
if(sigaction(SIG, &sa, NULL) < 0)
{
fprintf(stderr, "sigaction failed with %d (%s)\n", errno, strerror(errno));
return NULL;
}
fprintf(stderr, "Thread working\n");
while(work)
{
int rc = select(0, NULL, NULL, NULL, NULL);
if(rc < 0)
{
fprintf(stderr, "Select error: %d (%s)\n", errno, strerror(errno));
}
else
{
fprintf(stderr, "Select return %d\n", rc);
}
}
}
int main(int argc, char** argv)
{
pthread_t handle;
int rc = pthread_create(&handle, NULL, thread_routine, NULL);
if(rc != 0)
{
fprintf(stderr, "pthread_create failed with %d (%s)\n", rc, strerror(rc));
return 1;
}
sleep(1);
work = 0;
rc = pthread_kill(handle, SIG);
if(rc != 0)
{
fprintf(stderr, "pthread_kill failed with %d (%s)\n", rc, strerror(rc));
return 1;
}
rc = pthread_join(handle, NULL);
if(rc != 0)
{
fprintf(stderr, "pthread_join failed with %d (%s)\n", rc, strerror(rc));
return 1;
}
return 0;
}
但它让我定义一个虚函数(signal_action),因为它不是以另一种方式工作。所以,2个问题:
是否有其他选项可以在另一个线程中断系统调用?
有没有办法避免在上面显示的方法中使用虚拟结构?
答案 0 :(得分:0)
您可以在线程之间使用其他同步机制,但是当您想要中断阻塞系统调用时,我无法想象与pthread_kill
不同的东西。
你需要使用一个明确的signal_action
因为默认值要么完全忽略信号(你不想要那个),要么中止整个程序(你也不想要) 。所以不,我无法想象一种避免明确signal_action
的方法。