我有一个从文件中读取数字以形成矩阵的赋值。 每行的前两个整数是行和列,然后剩余的整数是矩阵中的数据。
2 2 1 2 3 4
看起来像
1 2
3 4
我可以使用以下方法成功加载一个矩阵:
void RdMatrix(FILE *file, int (*matrix)[MAXSIZE][MAXSIZE], int *row, int *column)
{
int data;
int matRow = RdRowSize(file);
int matCol = RdColumnSize(file);
*row = matRow;
*column = matCol;
int i, j;
for (i = 0; i < matRow; i++)
{
for (j = 0; j < matCol; j++)
{
fscanf(file, "%d", &data);
*matrix[i][j] = data;
}
}
然后我可以用
打印出来void PrMat(int(*matrix)[MAXSIZE][MAXSIZE], int row, int col)
{
int i, j;
printf("\n");
for (i = 0; i < row; i++)
{
for (j = 0; j < col; j++)
{
printf("%d ", *matrix[i][j]);
}
printf("\n");
}
printf("\n");
}
在我的主要功能中,我有两个矩阵A[MAXSIZE][MAXSIZE]
和B[MAXSIZE][MAXSIZE]
,一个rowA = 0, colA = 0;
和rowB = 0, colB = 0;
。
我打电话给RdMatrix(fpin, &A, &rowA, &columnA); RdMatrix(fpin, &B, &rowB, &columnB); PrMat(&A, rowA, columnA);
输入如下:
2 2 1 2 3 4
2 2 9 8 7 6
然后打印
1 2
9 8
9 8
7 6
应该打印时
1 2
3 4
9 8
7 6
我不允许使用任何库,也不会有帮助,因为我必须稍后在程序集中重写它。
编辑:包含代码
#include <stdio.h>
#define MAXSIZE 10
FILE *fpin;
int RdRowSize(FILE *file)
{
int row;
fscanf(file, "%d", &row);
return row;
}
int RdColumnSize(FILE *file)
{
int col;
fscanf(file, "%d", &col);
return col;
}
void RdMatrix(FILE *file, int (*matrix)[MAXSIZE][MAXSIZE], int *row, int *column)
{
int data;
int matRow = RdRowSize(file);
int matCol = RdColumnSize(file);
*row = matRow;
*column = matCol;
int i, j;
printf("\n=====================\nLoading Matrix\n=====================\n");
for (i = 0; i < matRow; i++)
{
for (j = 0; j < matCol; j++)
{
fscanf(file, "%d", &data);
*matrix[i][j] = data;
}
}
}
void PrMat(int(*matrix)[MAXSIZE][MAXSIZE], int row, int col)
{
int i, j;
printf("\n");
for (i = 0; i < row; i++)
{
for (j = 0; j < col; j++)
{
printf("%d ", *matrix[i][j]);
}
printf("\n");
}
printf("\n");
}
int main(void)
{
int RsizeM, CsizeM; /*matrix row size and column size*/
int A[MAXSIZE][MAXSIZE], B[MAXSIZE][MAXSIZE]; /*the two matrices*/
int rowA=0, columnA=0, rowB=0, columnB=0; /* the row and column sizes of A and B */
/*open input file - file name is hardcoded*/
fpin = fopen("INA1.txt", "r"); /* open the file for reading */
if (fpin == NULL)
{
fprintf(stdout, "Cannot open input file - Bye\n");
return(-1); /* if problem, exit program*/
}
/*ASSUMPTIONS: the file is not empty and contains has at least 1 set of matrices*/
/* Add while loop after testing a single iteration */
RdMatrix(fpin, &A, &rowA, &columnA);
RdMatrix(fpin, &B, &rowB, &columnB);
PrMat(&A, rowA, columnA);
PrMat(&B, rowA, columnB);
fclose(fpin); /* close the file */
return (0);
}
然后它必须打开的文件称为INA1.txt
答案 0 :(得分:2)
引用元素时,应使用(*matrix)[i][j]
代替*matrix[i][j]
。
此外,在打印B矩阵时,它应为rowB
,而不是rowA
。