C和C++的const的区别本质上,C++的const为一个常量,所以可以初始化数组。而C的const为一个伪常量不可以初始化数组。
C:
#include <stdio.h>
void main()
{
const int num = 5;//C语言的const属于伪常量
int a[num];//所以此处报错
}
CPP:
#include <iostream>
#include <stdio.h>
void main()
{
const int num = 5;
int a[num];
int i = 0;
for (auto data : a)
{
data = i++;
std::cout << data << std::endl;
}
system("pause");
}
C对const常量进行改变:
#include <stdio.h>
#include <stdlib.h>
void main()
{
const int num = 5;//C语言的const属于伪常量
int *p = #
*p = 3;//C语言为弱类型,const常量的值可以改变
printf("%d", num);
system("pause");
}
C++对const常量进行改变:
#include <iostream>
#include <stdio.h>
void main()
{
const int num = 5;
int *p = const_cast<int*>(&num);//强制去掉const属性,转变为int *
*p = 4;//在C++11中,该语句可以编译通过,但是该语句不会执行
std::cout << num << std::endl;
system("pause");
}