扫二维码与项目经理沟通
我们在微信上24小时期待你的声音
解答本文疑问/技术咨询/运营咨询/技术建议/互联网交流
const char* arr = “123”;
,储存在常量区,只有一份拷贝;对于局部对象,常量存放在栈区,例如:void add(){const char crr[] = “123”;}
,这里“123”本应储存在栈上,但编译器可能会做某些优化,将其放入常量区;对于全局对象,常量存放在全局/静态存储区;用const会比#define使用更少的空间,效率更高。char* brr = "123"; char drr[] = "123";
前者字符串123存在常量区,不能通过brr去修改"123"的值;后者"123"保存在栈区,可以通过drr去修改。class cAAA{
public:
cAAA(int a) : m_iV(a){}
const int GetValue() const {return m_iV;}
void AddValueOneTime(){m_iChangeV++;}
private:
const int m_iV;
public:
mutable int m_iChangeV;
static const int m_iStaticV;
};
static const int m_iStaticV = 1000;
const cAAA aa(100);
aa.GetValue();
aa.m_iChangeV++;
3.修饰成员函数
创新互联公司主要从事成都网站设计、成都网站建设、外贸网站建设、网页设计、企业做网站、公司建网站等业务。立足成都服务祥符,10多年网站建设经验,价格优惠、服务专业,欢迎来电咨询建站服务:18980820575
4.修饰指针
const char* p1;
char const *p2;
char* const p3;
const char* const p4;
对于初学者来说这大概是很难理解的一个知识点,怎么区分这四个呢?记住秘诀,直接从右向左读就一招制敌了。
5.修饰引用
bool Less(const cAAA& left, const cAAA& right);
float dValue = 1.05f;
const int& a = dValue;
const int iTemp = dValue;
const int& a = iTemp;
T*
转换到const T*
是比较简单的,且编译器支持的隐式转换,也可以显示的用模板处理,例如我们简单写一下RemoveConst模板,最后用using化名一下。但从const T*
到T*
就麻烦一些,推荐使用const_cast。template
struct RemoveConst{
typedef T Type;
};
template
struct RemoveConst{
typedef T Type;
};
template
using RCType = typename RemoveConst::Type;
const char* pA = "sss";
char* pB = const_cast(pA);
auto pC = RCType(pA);
std::cout << "type is the same: " << std::is_same::value << std::endl;
std::cout << "pB Type Name: " << typeid(pB).name() << "pc Type Name: " << typeid(pC).name() << std::endl;
//pB[0] = 'A';//error, Segmentation fault
const int iSize1 = sizeof(int);
const int iSize2 = GetSize();
iSize1是个常量,编译期的,但iSize2就不一定,它虽然不能改变,但要到GetSize()执行结束,才能知道具体值,这与常量一般在编译期就知道的思想不符,解决这个问题的方法就是改为:constexpr int iSize2 = GetSize();
这样要求GetSize()一定要能在编译期就算出值,下面几个例子中GetSizeError()就会编译失败。GetFibo函数,编译期就已经递归计算出值。
constexpr int GetSize(){
return sizeof(int) + sizeof(double);
}
constexpr int GetSizeError(){
return random();
}
constexpr int GetCalc(int N){
return N <= 1 ? 1 : N * GetCalc(N - 1);
}
const int iSize1 = sizeof(int);
constexpr int iSize2 = GetSize();
//constexpr int iSize3() = GetSizeError();
constexpr int iSize4 = GetCalc(10);
std::cout << iSize1 << " " << iSize2 << " " << iSize4 <
template
struct TCalc{
static constexpr int iValue = N * TCalc::iValue;
};
template <>
struct TCalc<1>{
static constexpr int iValue = 1;
};
std::cout << TCalc<10>::iValue << std::endl;
以上内容总结自博主rayhunter
我们在微信上24小时期待你的声音
解答本文疑问/技术咨询/运营咨询/技术建议/互联网交流