我正在构建一个用C-UNIX编写的通用程序(使用Linux,因此我不关心BSD或WIN函数),它创建了两个线程来处理与服务器的通信。
void init_threads(int socket_desc) {
pthread_t chat_threads[2];
ret = pthread_create(&chat_threads[0], NULL, receiveMessage, (void*)(long)socket_desc);
PTHREAD_ERROR_HELPER(ret, "Errore creazione thread ricezione messaggi");
ret = pthread_create(&chat_threads[1], NULL, sendMessage, (void*)(long)socket_desc);
PTHREAD_ERROR_HELPER(ret, "Errore creazione thread invio messaggi");
}
由于这个程序将从shell启动,我想实现CTRL-C的可能性,因此我使用这行代码:
signal(SIGINT,kill_handler);
// and its related function
void kill_handler() {
// retrive threads_id
// call pthread_exit on the two threads
printf("Exit from program cause ctrl-c, bye bye\n");
exit(EXIT_SUCCESS);
}
我的问题是如何在事件处理函数中找到线程ID,调用pthread_exit是否正确,还是应该使用其他东西?
答案 0 :(得分:2)
不要从信号处理程序中调用pthread_exit()
!它不一定是 async-signal-safe ,请参阅signal-safety。
通常,您应该在信号处理程序中尽可能少地 。常见的习惯用法是设置一个在主循环中定期检查的标志,例如
volatile sig_atomic_t exitRequested = 0;
void signal_handler(int signum)
{
exitRequested = 1;
}
int main(void)
{
// init and setup signals
while (!exitRequested)
{
// do work
}
// cleanup
}
另外,使用sigaction()
安装信号处理程序。请参阅signal()
,了解不使用它的原因。