我正在尝试用C创建一个简单的矩阵乘法程序。 为此,我选择使用2个函数:1用于简单地创建矩阵,1用于保存所有创建的矩阵(用于进行乘法)。
我终于设法解决了如何从函数传递数组(或者更具体地说是从函数传递指向数组的指针),但是,我希望下面的函数matrixWelcome()传递行数&安培;数组的列。这就是我被困住的地方。
目前gcc为我提供了'unary *'的错误无效类型参数 - line> rows = * i;
我的代码是:
void matrixWelcome() {
int selection;
int a, b, c, d, *rows, *columns;
int *matrix1[0][0], *matrix2[0][0];
printf("Welcome to matrix mode\n");
printf("Please select from the following: \n");
printf("1 - Matrix multiplication");
scanf("%d", &selection);
switch (selection) {
case 1:
printf("Selected matrix multiplication...\n");
printf("Please enter matrix 1\n");
matrix1[*rows][*columns] = matrixInput(*rows, *columns);
printf("%d\n", *matrix1[1][1]);
a = *rows;
b = *columns;
printf("****ROWS = %d, COLUMNS = %d", a, b);
// printf("Matrix 1 has %d rows and %d columns", rows, columns);
printf("Please enter matrix 2\n");
// matrix2 = matrixInput();
break;
default:
printf("No input entered\n");
break;
}
}
int *matrixInput(int *rows, int *columns) {
int i, j, x, y;
int *array_pointer = malloc(5 * sizeof(int)); //grab some memory
if (array_pointer == NULL) { // check that we have successfully got memory
return NULL;
}
// Number of rows & columns for matrix 1
printf("Enter number of rows: ");
scanf("%d", &i);
printf("\nEnter number of columns: ");
scanf("%d", &j);
rows = *i;
columns = *j;
// Initialise 2D array to hold values
int matrix_input[i][j];
printf("Enter values for matrix, starting at 1,1 and moving across 1st row; then move across 2nd row etc..");
// loop to store values in matrix
for (x=0; x<i; x++) {
for (y=0; y<j; y++) {
int value_entered;
scanf("%d", &value_entered);
matrix_input[x][y] = value_entered;
}
}
*array_pointer = matrix_input[i][j];
// print out matrix - just to confirm
printf("You've entered the following matrix: \n");
for (x=0; x<i; x++) {
for (y=0; y<j; y++) {
printf("%4d", matrix_input[x][y]);
}
printf("\n");
}
return array_pointer;
}
任何帮助都将不胜感激。
答案 0 :(得分:3)
i
是int
。您不需要取消引用它。您确实需要取消引用rows
,但是*rows = i
可以正常工作。但是,在调用函数时不要取消引用。使用:
matrixInput(rows, columns);
因为你想传递指针。
答案 1 :(得分:2)
int *matrix1[0][0], *matrix2[0][0];
这很奇怪且不正确(你不应该将全局变量声明为0维数组)。
您的代码不完整。您至少忘记了#include <stdio.h>
和#include <stdlib.h>
您的代码无法编译。
您应该尝试编译并启用所有警告,例如在Linux上使用GCC和
gcc -Wall -g cud.c -o cud
我收到4个错误和超过10个警告。
在没有警告且没有错误之前,请不要发布代码。编辑&amp;改进您的代码,直到所有错误和警告消失。然后调试代码(使用调试器,如Linux上的gdb
)。