openMP:当我使用"#pragma omp parallel num_threads(4)"时,为什么我得不到不同的线程ID

jay*_*ila 14 c parallel-processing multithreading openmp

当我使用"#pragma omp parallel num_threads(4)"时,为什么我没有获得不同的线程ID.在这种情况下,所有线程ID都为0.但是当我评论该行并使用默认的线程数时,我得到了不同的线程ID.注意: - 变量我使用变量tid来获取线程ID.

#include <omp.h>
#include <stdio.h>
#include <stdlib.h>

int main (int argc, char *argv[]) 
{
int nthreads, tid;
int x = 0;

#pragma omp parallel num_threads(4)
#pragma omp parallel private(nthreads, tid)
  {
  /* Obtain thread number */
 tid = omp_get_thread_num();
  printf("Hello World from thread = %d\n", tid);

  // /* Only master thread does this */
   if (tid == 0) 
     {
     nthreads = omp_get_num_threads();
     printf("Number of threads = %d\n", nthreads);
     }

  }


}
Run Code Online (Sandbox Code Playgroud)

上述代码的输出: -

Hello World from thread = 0
Hello World from thread = 0
Number of threads = 1
Hello World from thread = 0
Number of threads = 1
Hello World from thread = 0
Number of threads = 1
Number of threads = 1
Run Code Online (Sandbox Code Playgroud)

当我评论上述线时的输出: -

Hello World from thread = 3
Hello World from thread = 0
Number of threads = 4
Hello World from thread = 1
Hello World from thread = 2
Run Code Online (Sandbox Code Playgroud)

Vau*_*ato 14

You are creating two nested parallel regions. It is the same as doing this:

#pragma omp parallel num_threads(4)
{
  #pragma omp parallel private(nthreads, tid)
  {
    /* Obtain thread number */
    tid = omp_get_thread_num();
    printf("Hello World from thread = %d\n", tid);

    // /* Only master thread does this */
    if (tid == 0) 
    {
      nthreads = omp_get_num_threads();
      printf("Number of threads = %d\n", nthreads);
    }
  }
}
Run Code Online (Sandbox Code Playgroud)

omp_get_num_threads()返回最里面区域中的线程数.所以你正在执行四个线程,每个线程执行一个线程.

内部并行区域仅执行一个线程,因为您尚未启用嵌套并行性.您可以通过致电启用它omp_set_nested(1).

http://docs.oracle.com/cd/E19205-01/819-5270/aewbi/index.html

如果不是创建两个嵌套的并行区域,而是想要创建一个并行区域并指定两个属性,则可以执行以下操作:

#pragma omp parallel num_threads(4) private(nthreads,tid)
{
  .
  .
  .
}
Run Code Online (Sandbox Code Playgroud)