const修饰指针
1、const修饰变量
变量是可以修改的,如果把一个地址交给一个指针变量,通过指针变量也可以修改这个变量,但是我们如果希望一个变量上加上一些限制不能被修改。那怎么样才能做到呢?这时候看就该是const发挥作用的时候了。请看下面代码
代码语言:javascript复制#include <stdio.h>
int main()
{
int m = 0;
m = 20;//m是可以修改的
const int n = 0;
n = 20;//n是不能被修改的
return 0;
}
在上述的代码中,n是不能修改的,因为在const的修饰下,在语法上加上了限制,只要我们在代码中对n进行修改,那么就会不符合语法规则。 特例: 但是在这种情况下,我们可以绕过n,使用n的地址,去修改n就可以了,虽然这是不合规矩的做法。
代码语言:javascript复制#include <stdio.h>
int main()
{
const int n = 0;
printf("n = %dn", n);
int*p = &n;
*p = 20;
printf("n = %dn", n);
return 0;
}
所以,这里是用p拿到了n的地址然后在对其进行修改,而且在这种情况下,这是不合理的,所以,为了让p就算是拿到了n的地址也不能修改n,那么接下来该怎么办呢?
2、const修饰指针变量
代码语言:javascript复制#include <stdio.h>
//代码1
void test1()
{
int n = 10;
int m = 20;
int *p = &n;
*p = 20;//ok
p = &m; //ok
}
void test2()
{
//代码2
int n = 10;
int m = 20;
const int* p = &n;
*p = 20;//no
p = &m; //ok
}
void test3()
{
int n = 10;
int m = 20;
int *const p = &n;
*p = 20; //ok
p = &m; //no
}
void test4()
{
int n = 10;
int m = 20;
int const * const p = &n;//相当于是const int *const p=&n
*p = 20; //ok?
p = &m; //ok?
}
int main()
{
//测试⽆const修饰的情况
test1();
//测试const放在*的左边情况
test2();
//测试const放在*的右边情况
test3();
//测试*的左右两边都有const
test4();
return 0;
结论: const在修饰指针变量时 1、const在*的左边时,修饰的是指针指向的内容,保证指针指向的内容不能通过指针来改变。但是指针变量本身的内容是可以改变的。 简单点就是说能改对象,但是内容不能改
2、const如果放在*的右边时,修饰的是指针变量本身,保证了指针变量的内容不能被修改,但是指针指向的内容,可以通过指针改变。 能改内容,但是对象不能改