合同一般条件4.6.0 c89
我只是在尝试使用pthRead出口和pthRead连接。
我只注意到pthRead退出它,它没有在主返回之前显示打印消息。然而,pthread_join确实做到了这一点。
我本以为应该显示打印声明的。如果不是,这意味着在使用pthRead退出时,主体没有正确终止吗?
非常感谢你的建议,
我的源代码段源.c文件:

void* process_events(void)
{
    app_running = TRUE;
    int counter = 0;

    while(app_running) {
#define TIMEOUT 3000000
        printf("Sleeping.....\n");
        usleep(TIMEOUT);

        if(counter++ == 2) {
            app_running = FALSE;
        }
    }

    printf("Finished process events\n");

    return NULL;
}

源代码段main.c文件:
int main(void)
{
    pthread_t th_id = 0;
    int th_rc = 0;

    th_rc = pthread_create(&th_id, NULL, (void*)process_events, NULL);
    if(th_rc == -1) {
        fprintf(stderr, "Cannot create thread [ %s ]\n", strerror(errno));
        return -1;
    }

    /*
     * Test with pthread_exit and pthread_join
     */

    /* pthread_exit(NULL); */

    if(pthread_join(th_id, NULL) == -1) {
        fprintf(stderr, "Failed to join thread [ %s ]", strerror(errno));
        return -1;
    }

    printf("Program Terminated\n");

    return 0;
}

最佳答案

你所看到的是预料之中的。pthread_exit永不返回。它会立即停止调用它的线程(然后运行清理处理程序(如果有的话),然后可能运行特定于线程的数据析构函数)。
main之后的pthread_exit中不会运行任何内容。

10-07 15:35