我是C语言的初学者(在C ++方面经验很少),我对用户输入变量值有疑问。我在C中编写了MPI_Scatter
和MPI_Gather
程序,它将计算每个节点上输入整数的总和。
问题是:如果我将变量输入(参见下面的代码)定义为input=5;
,它将计算所有4
个节点(210
)的总和。如果我为scanf
设置输入,则结果将仅为15
。似乎变量改变了它的价值。你能帮我吗?
代码:
#include "mpi.h"
#include <stdio.h>
#include <stdlib.h>
#define MASTER 0
int main(int argc, char** argv){
int id, nproc;
MPI_Init(&argc, &argv);
MPI_Comm_size(MPI_COMM_WORLD, &nproc);
MPI_Comm_rank(MPI_COMM_WOLRD, &id);
MPI_Status status;
int input=0; // <- problematic variable
int nodeValue=0;
int size;
int *array;
if(id == MASTER){
printf("How many elements per node? ");
scanf("%d", &input);
nodeValue = input;
}
MPI_Barrier(MPI_COMM_WORLD);
if(id == MASTER){
size = input * nproc;
array = malloc(sizeof(int)*size);
...
}
}
答案 0 :(得分:4)
您的查询类似于下面的堆栈溢出问题: 访问In MPI for multiple process scanf taking input only once and assign garbage values to other?
选项如下:请从文件中读取输入。
以下是从文件中读取的示例代码:
#include "mpi.h"
#include <stdio.h>
#include <stdlib.h>
int main(int argc, char *argv[])
{
int myid, nprocs;
int *array;
int size, i;
FILE *fp;
MPI_Init(&argc, &argv);
MPI_Comm_rank(MPI_COMM_WORLD, &myid);
MPI_Comm_size(MPI_COMM_WORLD, &nprocs);
if(myid ==0)
{
fp = fopen("test", "r");
fscanf(fp, "%d", &size);
}
/* MPI_Bcast(void *buffer,
int count,
MPI_Datatype datatype,
int root,
MPI_Comm comm) */
MPI_Bcast(&size,1, MPI_INT, 0, MPI_COMM_WORLD);
array = (int *) malloc(size* sizeof(int));
if(myid ==0)
{
for(i = 0; i < size; i++)
{
fscanf(fp, "%d", &array[i]);
}
}
MPI_Bcast(array, size, MPI_INT, 0, MPI_COMM_WORLD);
MPI_Finalize();
}
这里的链接有一些例子: 访问https://docs.loni.org/wiki/c_mpi_examples
如果确实需要用户输入:我们选择
1)从命令行参数或文件中读取(编写代码以输入到该文件 - 尽管这是一个冗长的方法)
2)在MPI_Init之后,STDIN将无法按预期工作。尝试将您的scanf语句放在MPI_Init之前。
修改后的代码:请试试这个:
int id, nproc;
MPI_Status status;
int input=0; // <- problematic variable
int nodeValue=0;
int size;
int *array;
if(id == MASTER){
printf("How many elements per node? ");
scanf("%d", &input);
nodeValue = input;
}
MPI_Init(&argc, &argv);
MPI_Comm_size(MPI_COMM_WORLD, &nproc);
MPI_Comm_rank(MPI_COMM_WOLRD, &id);