我有一个constexpr类Debug:
struct Debug {
constexpr Debug(bool a, bool b, bool c) : a(a), b(b), c(c) {}
bool a, b, c;
constexpr bool get() const { return a; }
};
int main() {
Debug dbg(true, false, false); // is dbg constexpr object?
constexpr Debug dbg2(0, 0, 0); // is constexpr redundant here?
}
您可以看到dbg
是一个constexpr对象,因为它是用constexpr构造函数初始化的,所以如果我用constexpr对其进行限定,那有什么意义呢?
dbg
和dbg2
之间的区别。谢谢。答案 0 :(得分:11)
有一个主要区别:在需要常量表达式的情况下,只能使用dbg2
。例如,考虑即将推出的C ++ 20功能,该功能允许使用任意非类型模板参数:
template <Debug> void f() { }
根据上述定义,f<dgb2>()
将进行编译,而f<dgb>()
将不会进行编译。
f<dgb>();
<source>:7:29: note: template argument deduction/substitution failed: <source>:13:12: error: the value of 'dbg' is not usable in a constant expression 13 | foo<dbg>(); // ERROR | ^ <source>:10:9: note: 'dbg' was not declared 'constexpr' 10 | Debug dbg(true, false, false); // is dbg constexpr object?
这在C ++ 11中也很重要。您将能够说:
template <bool> void g() { }
g<dgb2.a>();
但不是:
g<dgb.a>();
答案 1 :(得分:4)
两个变量如何不同的简单演示:
struct Debug {
constexpr Debug(bool a, bool b, bool c) : a(a), b(b), c(c) {}
bool a, b, c;
constexpr bool get() const { return a; }
};
int main() {
Debug dbg(true, false, false); // dbg is not a constant
constexpr Debug dbg2(0, 0, 0); // constexpr makes this a constant expression
// *** Begin demo ***
dbg.a = false;
//dbg2.a = false; //< error: assignment of member 'Debug::a' in read-only object
// *** End demo ***
}
可以更改dbg
的值,而不能更改dbg2
的值。
要获取作为常量表达式的Debug
对象,您既需要构造函数中的constexpr
限定符(以允许将Debug
对象标记为常量表达式),又需要变量声明中的constexpr
限定符(以将该对象标记为常量表达式)。