代码之家  ›  专栏  ›  技术社区  ›  arbitUser1401

openMP死锁,同时使用并行区域和open for

  •  0
  • arbitUser1401  · 技术社区  · 11 年前

    我正陷入openMP僵局。原始代码比较长,很难放在这里,因为 空间限制。我列举了一个代码结构的示例,它似乎具有类似的结构和运行 类似的问题。

    int main(int argc, char const *argv[])
    {
        #pragma omp parallel 
        {
            int thread_id = omp_get_thread_num();
    
            if(thread_id>0)
            {
                #pragma omp for schedule(dynamic) nowait
                for (int i = 0; i < 10; ++i)
                {
                    printf("%dth hello from thread \t: %d\n",i,thread_id );
                }
            }
            else
            {
                printf("=========Master thread \t: %d ==============\n",thread_id );
            }
                }
    
        printf(" +=*+=*+=*+=*+=*+=*+=*+=*+=*+=*+=*\n");
        #pragma omp parallel 
        {
            int thread_id = omp_get_thread_num();
    
            if(thread_id>0)
            {
                #pragma omp for schedule(dynamic) nowait
                for (int i = 0; i < 10; ++i)
                {
                    printf("%dth hello from thread \t: %d\n",i,thread_id );
                }
            }
            else
            {
                printf("=========Master thread \t: %d==============\n ",thread_id );
            }
    }
    
        return 0;
    }
    

    我打算使用第一个线程来进行计算,而我想同时使用其他线程 执行openmp并行for循环。代码在执行openmp并行区域时挂起。如果我侵入程序 在GDB中,我看到以下消息。

    Program received signal SIGINT, Interrupt.
    0x000000327c00b5bc in pthread_cond_wait@@GLIBC_2.3.2 () from /lib64/libpthread.so.0
    

    我需要知道我所做的是否有效和可行。如果是,可能的工作是什么 让它运转起来。

    1 回复  |  直到 11 年前
        1
  •  0
  •   Community CDub    4 年前

    不,根据 OpenMP specification (OpenMP 3.1版,§2.5工作共享结构):

    限制 :

    以下限制适用于工作共享构件:

    • 团队中的所有线程都必须遇到每个工作共享区域,或者根本没有遇到。

    (强调我的)OpenMP 4.0中引入了取消点,这有点改变,但总体思路保持不变。

    但既然你在使用 schedule(dynamic) 默认为一次迭代的块大小,您可以改用显式任务:

    #pragma omp parallel sections
    {
       #pragma omp section
       {
          printf("This is a single thread doing something\n");
       }
       #pragma omp section
       {
          for (int i = 0; i < 10; i++)
          {
             #pragma omp task
             {
                int thread_id = omp_get_thread_num();
                printf("%d-th hello from thread %d\n", i, thread_id);
             }
          }
       }
    }
    

    您也可以像在原始代码中那样实现自己的部分,还可以通过使用线程ID来计算迭代范围来重新实现静态调度(如果需要)。