How to pass a 2D array as a parameter in C?
我正在搜索将2d数组传递给c中的函数,我遇到了上面的网站。我理解传递2d数组的第一种和第二种方式,但我得到了 在第三种方法中困惑,具体来说,它是如何以这种方式工作的?“
3) Using an array of pointers or double pointer
In this method also, we must typecast the 2D array when passing to function.
#include <stdio.h>
// Same as "void print(int **arr, int m, int n)"
void print(int *arr[], int m, int n)
{
int i, j;
for (i = 0; i < m; i++)
for (j = 0; j < n; j++)
printf("%d ", *((arr+i*n) + j));
}
int main()
{
int arr[][3] = {{1, 2, 3}, {4, 5, 6}, {7, 8, 9}};
int m = 3;
int n = 3;
print((int **)arr, m, n);
return 0;
}
Output:
1 2 3 4 5 6 7 8 9
`
上面的代码在代码块上运行正常。
从main()调用 print()时,我们将 arr 作为参数通过类型转换为指向指针的指针,但在函数 print()它只打印一次以打印值。 printf("%d ", *((arr+i*n) + j));
不应该是*((*arr+i*n) + j));
,我尝试编译此语句,它会编译但不会执行。
2) Using a single pointer
In this method, we must typecast the 2D array when passing to function.
#include <stdio.h>
void print(int *arr, int m, int n)
{
int i, j;
for (i = 0; i < m; i++)
for (j = 0; j < n; j++)
printf("%d ", *((arr+i*n) + j));
}
int main()
{
int arr[][3] = {{1, 2, 3}, {4, 5, 6}, {7, 8, 9}};
int m = 3, n = 3;
print((int *)arr, m, n);
return 0;
}
Output:
1 2 3 4 5 6 7 8 9
`
第二种方法和第三种方法仅在 print()函数中传递的参数类型不同,而其余代码相同。那么函数的工作实际上有什么区别呢?
答案 0 :(得分:-2)
传递2D数组的最简单方法,
功能
void PrintArray(unsigned char mat[][4]){
int i, j;
printf("\n");
for(i = 0;i<4;i++){
for(j = 0;j<4;j++)
printf("%3x",mat[i][j]);
printf("\n");
}
printf("\n");
}
主
int main(){
int i,j;
//static int c=175;
unsigned char state[4][4], key[4][4], expandedKey[176];
printf("enter the value to be decrypted");
for(i=0;i<4;i++)
for(j=0;j<4;j++)
scanf("%x",(unsigned int *)&state[j][i]);
PrintArray(state);
return 0;
}