我编写了一个串行程序来生成 2 个随机矩阵,将它们相乘并显示结果。我为每个任务编写了函数,即生成随机矩阵、乘以矩阵并显示结果。我无法弄清楚为什么两个生成的矩阵是相同的。
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
int **matrix_generator(int row,int col);
int **multiply_matrices(int **matrix_A,int **matrix_B,int rowsA, int colsA,int rowsB,int colsB);
void display_result(int **matrix,int cols,int rows);
void display_matrix(int **matrixA,int cols,int rows);
void main()
{
int **matrix_A,**matrix_B,**matrix_result,i,j,k,tid,rowsA,colsA,rowsB,colsB;
printf("Enter the dimensions of Matrix A:n");
scanf("%d%d",&rowsA,&colsA);
printf("Enter the dimensions of Matrix B:n");
scanf("%d%d",&rowsB,&colsB);
if(colsA==rowsB)
{
matrix_A = matrix_generator(rowsA,colsA);
matrix_B = matrix_generator(rowsB,colsB);
matrix_result = multiply_matrices(matrix_A,matrix_B,rowsA,colsA,rowsB,colsB);
printf("Matrix A:n");
display_matrix(matrix_A,rowsA,colsA);
printf("nn");
printf("Matrix B:n");
display_matrix(matrix_B,rowsB,colsB);
printf("nn");
display_matrix(matrix_result,rowsB,colsA);
}
else
{
printf("Check the dimensions of the matrices!n");
exit(-1);
}
}
int **matrix_generator(int row, int col)
{
int i, j, **intMatrix;
intMatrix = (int **)malloc(sizeof(int *) * row);
srand(time(0));
for (i = 0; i < row; i++)
{
intMatrix[i] = (int *)malloc(sizeof(int *) * col);
for (j = 0;j<col;j++)
{
intMatrix[i][j]=rand()%10;
}
}
return intMatrix;
}
int **multiply_matrices(int **matrix_A,int **matrix_B,int rowsA, int colsA,int rowsB,int colsB)
{
int i, j, k, **resMatrix;
resMatrix = (int **)malloc(sizeof(int *) * rowsB);
for (i = 0; i < rowsA; i++)
{
resMatrix[i] = (int *)malloc(sizeof(int *) * colsA);
for (j = 0;j<colsB;j++)
{
for (k = 0; k < colsA; k++)
resMatrix[i][j] = resMatrix[i][j] + matrix_A[i][k] * matrix_B[k][j];
}
}
return resMatrix;
}
void display_matrix(int **matrix, int rows,int cols)
{
int i,j;
for (i = 0; i < rows; i = i + 1)
{
for (j = 0; j < cols; j = j + 1)
printf("%d ",matrix[i][j]);
printf("n");
}
}
输出:
Enter the dimensions of Matrix A:
4
4
Enter the dimensions of Matrix B:
4
4
Matrix A:
8 7 8 4
9 8 3 9
1 2 0 4
6 0 2 3
Matrix B:
8 7 8 4
9 8 3 9
1 2 0 4
6 0 2 3
159 128 93 139
201 133 114 147
50 23 22 34
68 46 54 41
有人可以帮我了解我哪里出错了吗?我有一个很好的想法,它是 matrix_generator(( 函数,但似乎无法弄清楚出了什么问题。另外,它只是乘以平方矩阵,如果维度不同,例如 4X5 和 5X4,我会得到分割错误。
代码中存在一些问题:
1( 内存分配不正确:
在multiply_matrices应该是
resMatrix[i] = (int *)malloc(sizeof(int) * colsB);
并在matrix_generator
intMatrix[i] = (int *)malloc(sizeof(int) * col);
2(如果要打印matrix_result呼叫,则主要
display_matrix(matrix_result,rowsA,colsB);
[rowsA,colsA] x [rowsB,colsB] 的尺寸是 rowsA x colsB
3( malloc
返回指向未初始化内存的指针,因此在求和之前应将resMatrix
元素设置为零
multiply_matrices 2 个 for 循环的内容应为
resMatrix[i][j] = 0;
for (k = 0; k < rowsB; k++) // CHANGED to rowsB
resMatrix[i][j] = resMatrix[i][j] + matrix_A[i][k] * matrix_B[k][j];
正如评论中指出的:你只需要为 rand(( 函数播种一次。做斯兰德(时间(0((;在 main(( 函数的开头,并将其从其他地方删除。
非平方矩阵:multiply_matrices
中存在错误/拼写错误
该行
for (k = 0; k < colsA; k++)
应该是
for (k = 0; k < rowsA; k++)