#include <iostream>
#include <stdlib.h>
using namespace std;
void f(int n[])
{
int i = sizeof(n);
cout << n << endl;
n++; //ok
cout << n << endl;
cout << "The size of n is:" << sizeof(n) << endl;
}
int main()
{
int m[5]={1,2,3,4,5};
int *p = m;
int *q=NULL;
char cc='a';
char dd='v';
cout <<"The address of m is:"<<(int)m<<endl;
cout <<"The address of p is:"<<p<<endl;
++p;
cout <<"The address of p is:"<<p<<endl;
f(p);
cout <<"The address of p is:"<<p<<endl;
//m++; //error
cout <<"sizeof m is:"<<sizeof(m)<<endl;
cout <<"m is:"<<p[0]<<endl;
cout <<"The address of q is:"<<&q<<endl;
cout <<"The content of q is:"<<(int)q<<endl;
// cout <<"The value of q is:"<<*q<<endl; // error
cout <<"The address of cc is:"<<(int)&cc<<endl;
cout <<"The address of dd is:"<<(int)&dd<<endl;
getchar();
return 0;
}
用dev-c++运行结果如下:
The address of m is:2293584
The address of p is:0x22ff50
The address of p is:0x22ff54
0x22ff54
0x22ff58
The size of n is:4
The address of p is:0x22ff54
sizeof m is:20
m is:2
The address of q is:0x22ff48
The content of q is:0
The address of cc is:2293575
The address of dd is:2293574
我们发现,打印的地址越来越小,为什么?
C语言的3个主要存储区为:堆、栈、全局区;其中堆是程序员自己分配的,必须程序员自己手工释放,比如malloc/free。栈是系统管理的,自己释放。像函数中的形参、局部变量都是在栈里,而且(大部分编译器中)栈是由高地址向底地址生长,像一个倒扣的捅一样,参数进栈的顺序是先进后出。所以上面打印的地址越来越小。
//m++; //error
这句话为何报错?因为数组名只是个常量,编译器没为它分配空间,所以不能++
// cout <<"The value of q is:"<<*q<<endl; // error
这句话为何报错,因为q是一个空指针,空指针的概念是:指针中的内容为0
我们可以看下面一个小例子:
int i=10;
int * q= = &i;
其示意图为:
××××:××××
××××:10
也即:
q本省自己的地址:i的地址
i的地址:10
q本身的地址可以用&q得到
q指针中的内容可以用(int)q得到,即i的地址
q指针所指向的直可以通过*q得到,即10;本例中:
cout <<"The address of q is:"<<&q<<endl;
cout <<"The content of q is:"<<(int)q<<endl;
就是这意思。
但是本题中,我们是这样定义 int *q=NULL;这时q指针中所存的地址为0,我们又知道,0地址的内容是操作系统保护的,不能访问,所以想通过0地址去访问值是错误的,也即此时*p报错。
所以// cout <<"The value of q is:"<<*q<<endl; 一句是错误的
最后我们说说为什么2次sizeof结果不一样,一次为20,一次为4
在主函数中的sizeof是算一个数组的大小,数组的大小=数组元素个数*类型大小;即5*4=20,int类型在32位平台下是4字节大小。
在一个函数中,如果用数组名做形参,那么编译器会把其退化为一个指针对待,所以sizeof结果为4,正好是一个指针的大小。所以我们在f函数中可以写:n++,而在main中m++却报错,就是这个原因,一个是指针,一个是数组,指针是变量可以修改,数组名是常量,不可以修改。