数组参数、指针参数
在写代码的时候,难免要把数组或者指针传给函数,那函数的参数该如何设计?
一维数组传参
以下三种方式都可以:
void test1(int arr[])
{
printf("test1--ok\n");
}
void test2(int arr[10])
{
printf("test2--ok\n");
}
void test3(int *arr)
{
printf("test3--ok\n");
}
void main()
{
int arr[10] = { 0 };
test1(arr);
test2(arr);
test3(arr);
}
指针数组传参
以下两种方式都可以:
void test1(int *arr[])
{
printf("test1--ok\n");
}
void test2(int **arr)
{
printf("test2--ok\n");
}
void main()
{
int *arr[10] = { 0 };
test1(arr);
test2(arr);
}
二维数组传参
有以下几种方式:
void test1(int arr[3][5])
{
printf("test1--ok\n");
}
void test2(int arr[][5])
{
printf("test2--ok\n");
}
void test3(int(*arr)[5])
{
printf("test3--ok\n");
}
void test4(int** arr)
{
printf("test4--ok\n");
}
int main()
{
int arr[3][5] = { 0 };
test1(arr);
test2(arr);
test3(arr);
test4(arr);
}
一级指针传参
当一个函数的参数为一级指针的时候,函数能接收什么参数?
变量地址 一维数组数组名
代码示例:
void print_arr(int* p, int sz)
{
for (int i = 0; i < sz; i ++)
{
printf("%d ", *(p + i));
}
}
void print_int(int* p)
{
printf("%d\n", *p);
}
void main()
{
int a = 10;
print_int(&a);
int arr[] = { 1,2,3,4,5,6 };
int sz = sizeof(arr) / sizeof(arr[0]);
print_arr(arr, sz);
}
二级指针传参
当函数的参数为二级指针的时候,可以接收什么参数呢?
一级指针的地址 二维数组数组名(但往往是使用数组指针作为函数参数来接收) 指针数组的数组名
void test(char** p)
{
}
void main()
{
char c = 'b';
char* pc = &c;
char** ppc = &pc;
char* arr[10];
test(&pc);
test(ppc);
test(arr);
}
|