387

以下定义有区别吗?

const     double PI = 3.141592653589793;
constexpr double PI = 3.141592653589793;

如果不是,C++11 中首选哪种风格?

4

4 回答 4

440

我相信是有区别的。让我们重命名它们,以便我们可以更轻松地讨论它们:

const     double PI1 = 3.141592653589793;
constexpr double PI2 = 3.141592653589793;

两者PI1PI2都是恒定的,这意味着您不能修改它们。然而,只是 PI2一个编译时常量。它在编译时初始化。 PI1可以在编译时或运行时初始化。此外,只能 PI2在需要编译时常量的上下文中使用。例如:

constexpr double PI3 = PI1;  // error

但:

constexpr double PI3 = PI2;  // ok

和:

static_assert(PI1 == 3.141592653589793, "");  // error

但:

static_assert(PI2 == 3.141592653589793, "");  // ok

至于你应该使用哪个?使用满足您需求的任何一个。你想确保你有一个编译时间常数,可以在需要编译时间常数的上下文中使用吗?您希望能够通过在运行时完成的计算来初始化它吗?等等。

于 2012-11-12T16:20:55.213 回答
95

这里没有区别,但是当您拥有具有构造函数的类型时,这很重要。

struct S {
    constexpr S(int);
};

const S s0(0);
constexpr S s1(1);

s0是一个常数,但它不承诺在编译时被初始化。s1被标记constexpr,所以它是一个常量,并且因为S的构造函数也被标记constexpr,所以它会在编译时被初始化。

大多数情况下,当运行时的初始化很耗时并且您希望将该工作推到编译器上时,这很重要,这也很耗时,但不会减慢编译程序的执行时间

于 2012-11-12T16:04:41.647 回答
64

constexpr表示在编译期间是常量且已知的值。
const表示一个只有常数的值;在编译期间不必知道。

int sz;
constexpr auto arraySize1 = sz;    // error! sz's value unknown at compilation
std::array<int, sz> data1;         // error! same problem

constexpr auto arraySize2 = 10;    // fine, 10 is a compile-time constant
std::array<int, arraySize2> data2; // fine, arraySize2 is constexpr

请注意,const 不提供与 constexpr 相同的保证,因为 const 对象不需要使用编译期间已知的值进行初始化。

int sz;
const auto arraySize = sz;       // fine, arraySize is const copy of sz
std::array<int, arraySize> data; // error! arraySize's value unknown at compilation

所有 constexpr 对象都是 const,但并非所有 const 对象都是 constexpr。

如果您希望编译器保证变量具有可在需要编译时常量的上下文中使用的值,则要使用的工具是 constexpr,而不是 const。

于 2015-01-22T10:06:48.390 回答
20

constexpr符号常量必须被赋予一个在编译时已知的值。例如:

constexpr int max = 100; 
void use(int n)
{
    constexpr int c1 = max+7; // OK: c1 is 107
    constexpr int c2 = n+7;   // Error: we don’t know the value of c2
    // ...
}

为了处理“变量”的值在编译时使用未知但在初始化后从未更改的值初始化的情况,C++ 提供了第二种形式的常量(a const)。例如:

constexpr int max = 100; 
void use(int n)
{
    constexpr int c1 = max+7; // OK: c1 is 107
    const int c2 = n+7; // OK, but don’t try to change the value of c2
    // ...
    c2 = 7; // error: c2 is a const
}

这种“<strong>const 变量”很常见,原因有两个:

  1. C++98 没有 constexpr,所以人们使用const
  2. 不是常量表达式的列表项“变量”(其值在编译时未知)但在初始化后不更改值本身就非常有用。

参考:Stroustrup 的“编程:使用 C++ 的原理和实践”

于 2015-10-04T17:39:52.280 回答