private
变量不会被初始化,即,它们以随机值开头,就像其他任何本地自动变量一样(它们通常使用每个线程堆栈上的自动变量来实现)。以这个简单的程序为例:
#include <stdio.h>
#include <omp.h>
int main (void)
{
int i = 10;
#pragma omp parallel private(i)
{
printf("thread %d: i = %d\n", omp_get_thread_num(), i);
i = 1000 + omp_get_thread_num();
}
printf("i = %d\n", i);
return 0;
}
具有四个线程,它输出如下内容:
thread 0: i = 0
thread 3: i = 32717
thread 1: i = 32717
thread 2: i = 1
i = 10
(another run of the same program)
thread 2: i = 1
thread 1: i = 1
thread 0: i = 0
thread 3: i = 32657
i = 10
这清楚地表明,在i
并行区域内的值是随机的(未初始化),并且在并行区域之后对它的任何修改都是不可见的(即,变量保持其值不进入该区域之前)。
如果i
进行了firstprivate
,则使用并行区域之前的值对其进行初始化:
thread 2: i = 10
thread 0: i = 10
thread 3: i = 10
thread 1: i = 10
i = 10
i
在此之后,看不到对并行区域内部的值的修改。
您已经知道lastprivate
(由于缺少工作共享结构,因此它不适用于简单的演示程序)。
所以,是的,firstprivate
而且lastprivate
是只是特殊情况private
。第一个结果将值从外部上下文引入并行区域,而第二个结果将值从并行区域传递到外部上下文。这些数据共享类背后的原理是,在并行区域内,所有私有变量都将外部变量遮盖起来,即,不可能使用赋值操作来修改i
并行区域内的外部值。