const和constexpr

const是只读常量,可以在编译期完成初始化,也可以在运行期完成初始化。
eg:
int func(int z)
{
return z + 1;
}

int main() {
const int i = func(2); //编译通过,运行期完成对于i的初始化
int array[i]; //编译报错;因为数组的长度是在编译期就需要确定的
return 0;
}

constexpr为编译期常量,用于那些需要在编译期就能确定值的变量。
constexpr int func(int z)
{
return z + 1;
}

int main() {
constexpr int i = func(2); //编译通过,运行期完成对于i的初始化
int array[i]; //编译通过;
return 0;
}


constexpr int min(int x, int y) { return x < y ? x : y; }

void test(int v)
{
int m1 = min(-1, 2); // probably compile-time evaluation
constexpr int m2 = min(-1, 2); // compile-time evaluation
int m3 = min(-1, v); // run-time evaluation
constexpr int m4 = min(-1, v); // error: cannot evaluate at compile time
}

int main() {
test(2);
return 0;
}

你可能感兴趣的:(c++,数据结构,算法,c++)