1

我正在尝试从 rank = 0 的进程向所有其他进程 (1,2,3,4) 发送来自 vector 的值n_pointsBuffer。问题是只有进程 0 得到它的值,而其他进程没有。任何人都可以向我解释我是否可以尝试做什么,如果可以,怎么做?这是我第一次使用 MPI。

#include <mpi.h>
#include <iostream>
#include <cstdlib>
#include <cmath>

using namespace std;

int main(int argc, char* argv[]) {

MPI::Init(argc, argv);

int num_procs = MPI::COMM_WORLD.Get_size();
int rank = MPI::COMM_WORLD.Get_rank();

srand(getpid());
int n_points;

if (rank == 0) {
    int n_pointsBuffer[] = { 1000000, 1203100, 1231230, 1231000, 1312322 };
    MPI::COMM_WORLD.Scatter(n_pointsBuffer, 1, MPI::INT, &n_points, 1,
            MPI::INT, 0);
}

cout << "Rank = " << rank << ", n_points = " << n_points << "\n";

double sum = 0;

for (int i = 0; i < n_points; i++) {
    double x = rand() / ((double) (RAND_MAX));
    double f = 1.0 / (1.0 + x * x);
    sum += f;
}

double avg_sum = 0;
MPI::COMM_WORLD.Reduce(&sum, &avg_sum, 1, MPI::DOUBLE, MPI::SUM, 0);

if (rank == 0) {
    double pi = 4.0 * (avg_sum / num_procs / ((double) (n_points)));
    cout << "Pi is approx " << pi << " with error " << pi - M_PI << ".\n";
}

MPI::Finalize();

return 0;
}
4

1 回答 1

6

这是因为每个人都要打电话Scatter()。不仅仅是根。引用另一个答案

MPI_Scatter 函数包含发送和接收逻辑。根进程(这里指定为0)发出数据,所有接收者都接收;每个参与的人都必须调用例程。Scatter 是 MPI 集体操作的一个示例,其中通信器中的所有任务都必须调用相同的例程。广播、屏障、归约操作和收集操作是其他示例。

请注意,这同样适用于每个集体操作。一个使用广播的例子在这里(你也可以在同一个 repo 中找到一些其他的程序,这些是我写的,用来测试我的由转储机器组成的 MPI 集群)。

于 2012-12-04T09:53:32.380 回答