1. 字符指针变量
在指针的类型中我们知道有⼀种指针类型为字符指针char*
代码 const char* pstr = "hello bit."; 特别容易让同学以为是把字符串 到字符指针 pstr ⾥了,但是本质是把字符串 hello bit 放 hello bit. ⾸字符的地址放到了pstr中。
#include <stdio.h>
int main()
{
char str1[] = "hello bit.";
char str2[] = "hello bit.";
const char *str3 = "hello bit.";
const char *str4 = "hello bit.";
if(str1 ==str2)
printf("str1 and str2 are same\n");
else
printf("str1 and str2 are not same\n");
if(str3 ==str4)
printf("str3 and str4 are same\n");
else
printf("str3 and str4 are not same\n");
return 0;
}
运行结果
这⾥str3和str4指向的是⼀个同⼀个常量字符串。C/C++会把常量字符串存储到单独的⼀个内存区域, 当⼏个指针指向同⼀个字符串的时候,他们实际会指向同⼀块内存。但是⽤相同的常量字符串去初始 化不同的数组的时候就会开辟出不同的内存块。所以str1和str2不同,str3和str4相同。
2. 数组指针变量与 ⼆维数组传参的本质
数组指针变量 int (*p)[10];
解释:p先和*结合,说明p是⼀个指针变量,然后指针指向的是⼀个⼤⼩为10个整型的数组。所以p是 ⼀个指针,指向⼀个数组,叫数组指针。
数组指针变量是⽤来存放数组地址的
⼆维数组传参,形参的部分可以写成数组,也可以写成指针形式。
#include <stdio.h>
void test(int (*p)[5], int r, int c)
{
int i = 0;
int j = 0;
for(i=0; i<r; i++)
{
for(j=0; j<c; j++)
{
printf("%d ", *(*(p+i)+j));
}
printf("\n");
}
}
int main()
{
int arr[3][5] = {{1,2,3,4,5}, {2,3,4,5,6},{3,4,5,6,7}};
test(arr, 3, 5);
return 0;
}
⼆维数组的数组名表⽰的就是第⼀⾏的地址,是⼀ 维数组的地址。根据上⾯的例⼦,第⼀⾏的⼀维数组的类型就是 型就是数组指针类型 int [5] ,所以第⼀⾏的地址的类 int(*)[5] 。那就意味着⼆维数组传参本质上也是传递了地址,传递的是第⼀ ⾏这个⼀维数组的地址,那么形参也是可以写成指针形式的
3. 函数指针变量
函数指针变量应该是⽤来存放函数地址的,未来通过地址能够调⽤函数的。
函数名就是函数的地址,当然也可以通过 式获得函数的地址。 & 函数名 的⽅ 如果我们要将函数的地址存放起来,就得创建函数指针变量咯,函数指针变量的写法其实和数组指针 ⾮常类似。
#include <stdio.h>
int Add(int x, int y)
{
return x+y;
}
int main()
{
int(*pf3)(int, int) = Add;
}
printf("%d\n", (*pf3)(2, 3));
printf("%d\n", pf3(3, 5));
return 0;
两个值是一模一样的
typedef 是⽤来类型重命名的,可以将复杂的类型,简单化。
typedef unsigned int uint这个代码就是将unsignedint重命名为uint
但是对于数组指针和函数指针稍微有点区别:
typedef int(*parr_t)[5]; // 新的类型名必须在 * 的右边
4. 函数指针数组
那要把函数的地址存到⼀个数组中,那这个数组就叫函数指针数组
int(*p[5])(int x, int y) = { 0, add, sub, mul, div };
5. 转移表
函数指针数组的⽤途:转移表
按照4中例子取函数
(*p[input])(x, y);
标签:复习,int,地址,期末,数组,函数指针,bit,指针 From: https://blog.csdn.net/2402_86688931/article/details/142005141