我正在尝试学习使用MPI。以下是我测试MPI散布和收集的简单程序。我不明白它是如何工作的以及为什么会产生结果
1 2 3 4 4 5 6 7 8 9 10 11
而不是预期的
1 2 3 4 5 6 7 8 9 10 11 12
我可以找到的文档和所有示例太复杂/措辞太差,我无法理解。我只想将数组分散在3个进程中,并在每个进程的每个值中添加一个。另外,我很乐意看到如何将2D数组逐行发送到每个进程,以及如何简单地处理每一行。
int main(int argc, char **argv) {
int rank; // my process ID
int size = 3; // number of processes/nodes
MPI_Status status;
MPI_Init(&argc, &argv); // start MPI
MPI_Comm_size(MPI_COMM_WORLD, &size); // initialize MPI
MPI_Comm_rank(MPI_COMM_WORLD, &rank);
unsigned char inData[12]; // data returned after being "processed"
unsigned char outData[12]; // buffer for receiving data
unsigned long datasize = 12; // size of data to process
unsigned char testData[12]; // data to be processed
if (rank == 0) {
// initialize data
for (int i = 0; i < datasize; i++) {
testData[i] = i;
outData[i] = 0;
inData[i] = 0;
}
}
// scatter the data to the processes
// I am not clear about the numbers sent in and out
MPI_Scatter(&testData, 12, MPI_UNSIGNED_CHAR, &outData,
12, MPI_UNSIGNED_CHAR, 0, MPI_COMM_WORLD);
MPI_Barrier(MPI_COMM_WORLD);
// process data
for (int i = 0; i < 4; i++) { outData[i] = outData[i] + 1; }
MPI_Barrier(MPI_COMM_WORLD);
// gather processed data
MPI_Gather(&outData, 12, MPI_UNSIGNED_CHAR, &inData,
12, MPI_UNSIGNED_CHAR, 0, MPI_COMM_WORLD);
//print processed data from root
if (rank == 0) {
for (int i = 0; i < 12; i++) {
printf("\n%d", inData[i]);
}
MPI_Finalize();
}
return 0;
}
答案 0 :(得分:1)
尽管您的主要错误是使用12
而不是4
,但请逐步进行操作。
// int size = 3; // number of processes/nodes
int size;
...
MPI_Comm_size(MPI_COMM_WORLD, &size); // initialize MPI
assert(size == 3);
将size
设置为3
没有意义。该值将由MPI_Comm_size
用实际的进程数覆盖。此数字取决于您运行MPI应用程序的方式(例如mpirun -np 3
)。
//unsigned char outData[12]; // buffer for receiving data
unsigned char outData[4];
我们有12个元素和3个过程,每个过程4个元素。因此,outData
只需4个元素。
outData[i] = 0;
inData[i] = 0;
将这些缓冲区清零没有任何意义,它们将被覆盖。
// scatter the data to the processes
// I am not clear about the numbers sent in and out
MPI_Scatter(&testData, 4 /*12*/, MPI_UNSIGNED_CHAR, &outData,
4 /*12*/, MPI_UNSIGNED_CHAR, 0, MPI_COMM_WORLD);
每个进程我们有4个元素,所以数量应该是4,而不是12。
MPI_Barrier(MPI_COMM_WORLD);
您在这里不需要障碍。
MPI_Gather(&outData, 4 /*12*/, MPI_UNSIGNED_CHAR, &inData,
4 /*12*/, MPI_UNSIGNED_CHAR, 0, MPI_COMM_WORLD);
相同的故事,4
而不是12
。
MPI_Finalize();
所有进程都应调用它。