以下印

In Main()
Hello World
Hello World

为什么这会打印两次 Hello World?如果我使用 pthread_join() 会出现所需的输出(只有一个 Hello World 以 In Main() 开头。
#include <pthread.h>

void *thread_func(void *arg);

int main(int argc, char **argv)
{
    int s;
    void *res;
    pthread_t t1;

    s = pthread_create(&t1, NULL, thread_func, "Hello World\n");

    if (s != 0)
        printf("Err\n");

    printf("In Main()\n");

    s = pthread_detach(t1);

    if (s != 0)
        printf("Err\n");

    return 0;
}

void *thread_func(void *arg)
{
    char *s = (char *)arg;
    printf("%s", s);
    pthread_exit(0);
}

我知道 pthread_detach 告诉库在线程终止后释放 pthread 使用的所有资源......并且由于我在 thread_func 结束时终止它,所以一切都应该没问题吧?

我在这里缺少什么?

最佳答案

在我看来,您使用的是标准库的非线程安全版本(prints、fflush ...)。我已经在旧的类 Unix 实时系统上看到了这种(显然)非逻辑行为。有两种不同版本的 std 库,一种用于单线程模式,一种用于多线程。当然,默认是单线程...
通常,对文件指针和类似事物的访问应该使用互斥锁进行序列化。在您的程序中有两个线程终止,每个可能都想隐式调用一个 fflush,但由于底层缓冲区不是要并发访问,所以可能会发生两个刷新将相同的数据写入输出文件描述符的情况。

关于c - 了解 pthread_detach,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13319793/

10-13 03:23