标签:逻辑 需要 include 有关 无效 scan argv 用处 class
指针变量中存放的是其他变量的地址,因此指针的类型,也与其要存放的地址类型有关。
有存放int型变量地址的指针,也有存放double型变量地址的指针。
具体而言,指针变量的声明语法是:
类型 * 指针变量名;
如:
int *pIntValue = NULL;
double *pDoubleValue = NULL;
以上分别定义了一个可以保存int变量地址以及可以保存double变量地址的指针。
我们常将暂时未使用的指针的值初始化为NULL,NULL其实是0:
#define NULL 0
因为在常见的操作系统中,0地址往往都是无效地址,对于暂时未使用的指针,在其内部存放一个无效地址,合乎工程逻辑。
在学习scanf时,我们已经见过&符号,它的作用是取变量的地址:
int main(int argc, char* argv[])
{
char chValue = 0x66;
printf("%08X\r\n", chValue); //打印chValue的值
printf("%08X\r\n", &chValue); //打印chValue在内存中的地址
return 0;
}
#include <stdio.h>
int main(int argc, char* argv[])
{
char chValue = 0x66;
printf("%08X\r\n", chValue); //打印chValue的值
printf("%08X\r\n", &chValue); //打印chValue在内存中的地址
char* pCharValue = NULL;
pCharValue = &chValue;
printf("%08X\r\n", pCharValue); //打印出pCharValue的值,它里面保存了chValue变量的地址
return 0;
}
像以上代码中,指针变量pCharValue中保存了chValue变量的地址,我们习惯上会称,pCharValue指针指向chValue变量。
光有地址是没有太多用处的,还需要能够读取或修改对应内存地址中的值。可以通过*操作符达到目的即:
*指针变量
可以读取或者赋值对应地址的内容:
#include <stdio.h>
int main(int argc, char* argv[])
{
char chValue = 0x66;
printf("%08X\r\n", chValue); //打印chValue的值
printf("%08X\r\n", &chValue); //打印chValue在内存中的地址
char* pCharValue = NULL;
pCharValue = &chValue;
printf("%08X\r\n", pCharValue); //打印出pCharValue的值,它里面保存了chValue变量的地址
*pCharValue = 0x55; //通过指针修改了指向内存地址处的值
printf("%08X\r\n", chValue); //chValue的值已经被修改
printf("%08X\r\n", *pCharValue); //也可以通过指针访问内存中的内容
return 0;
}
标签:逻辑 需要 include 有关 无效 scan argv 用处 class
原文地址:https://www.cnblogs.com/shellmad/p/11695593.html