我从https://computing.llnl.gov/tutorials/pthreads/网站上下载了下面的演示

#include <pthread.h>
#include <stdio.h>
#define NUM_THREADS     5

void *PrintHello(void *threadid)
{
   long tid;
   tid = (long)threadid;
   printf("Hello World! It's me, thread #%ld!\n", tid);
   pthread_exit(NULL);
}

int main (int argc, char *argv[])
{
   pthread_t threads[NUM_THREADS];
   int rc;
   long t;
   for(t=0; t<NUM_THREADS; t++){
      printf("In main: creating thread %ld\n", t);
      rc = pthread_create(&threads[t], NULL, PrintHello, (void *)t);
      if (rc){
         printf("ERROR; return code from pthread_create() is %d\n", rc);
         exit(-1);
      }
   }
   pthread_exit(NULL);
}

但是当我在我的机器上编译它时(运行Ubuntu Linux 9.04),我得到以下错误:

corey@ubuntu:~/demo$ gcc -o term term.c
term.c: In function ‘main’:
term.c:23: warning: incompatible implicit declaration of built-in function ‘exit’
/tmp/cc8BMzwx.o: In function `main':
term.c:(.text+0x82): undefined reference to `pthread_create'
collect2: ld returned 1 exit status

这对我来说没有任何意义,因为头文件包括pthread.h,它应该有pthread_create函数。知道哪里出了问题吗?


当前回答

实际上,如果你继续阅读下面的教程,它给出了几个用于pthreads代码的编译命令示例,如下表所示:

https://computing.llnl.gov/tutorials/pthreads/#Compiling

其他回答

有时,如果您使用多个库,请检查库依赖关系。 (例如:-lpthread -lSDL…< = = >…-lSDL -lpthread)

因为没有一个答案能完全满足我的需求(使用MSVS代码),我在这里添加了我使用这个IDE和CMAKE构建工具的经验。

第一步:确保在你的。cpp(或。hpp,如果需要)中包含:

#include <functional>

步骤2对于MSVSCode IDE用户: 将这一行添加到c_cpp_properties中。json文件:

"compilerArgs": ["-pthread"],

步骤2对于CMAKE构建工具用户: 将这一行添加到CMakeLists.txt中

set(CMAKE_CXX_FLAGS "-pthread")

注意:添加标记-lpthread(而不是-pthread)会导致链接失败。

你只需要在properties中添加“pthread”=>C/ c++ build=>GCC c++ Linker=>Libraries=>顶部部分“Libraries(-l)”。 这是它

从man gcc,

  -pthread
       Define additional macros required for using the POSIX threads library.
       You should use this option consistently for both compilation and linking.
       This option is supported on GNU/Linux targets, 
           most other Unix derivatives, 
           and also on x86 Cygwin and MinGW targets.

没错,-pthread是一个选项,也是处理这个问题的最佳方式。 在一些答案中,有一些语句表示它生成了不同的编译代码。这是一种误导。

如果你想复制-pthread,你可以使用-lpthread -D_REENTRANT=1。所以-pthread选项有两件事要做。

事实上,正如许多答案所表达的那样,它与pthread库链接。此外,pthread库的顺序也很重要,因为它可能会覆盖一些弱符号。因此,使用-lpthread的正确版本可能需要在命令行上多次使用它。

另一个重要的部分是_REENTRANT定义。注意,这是在实现名称空间中。一些人可能关心便携性,而另一些人则不然。但是,将它定义为编译单元中的第一个内容是非常重要的。这个符号将改变许多系统头文件的解析方式。

您可以在每个源文件的顶部包含#define _REENTRANT 1,但是将它放在命令行上要容易得多。同样,-pthread是实现这一点的最佳方法。另外,gcc将来可能会改变实现的方式。然而,我认为对程序员来说,理解正在发生的事情是很重要的。


在函数' main ': term.c:23:警告:不兼容隐式 内置函数' exit '的声明

您从未包含<stdlib.h>,其中声明了exit()。另外,我认为gcc的新版本已经消除了对_REENTRANT的需求。

为什么features.h ? 关于godbolt的例子,没有-pthread。

因此,它不会生成不同的代码。也就是说,编译器的后端并没有什么不同。它只是条件编译和链接到不同的库。它不会生成“无锁”代码或添加适当的机器屏障,因为您已经使用了这个选项。

实际上,如果你继续阅读下面的教程,它给出了几个用于pthreads代码的编译命令示例,如下表所示:

https://computing.llnl.gov/tutorials/pthreads/#Compiling