命名空间
变体
操作

std::is_constant_evaluated

来自 cppreference.com
< cpp‎ | types
 
 
工具库
语言支持
类型支持 (基本类型,RTTI)
库功能测试宏 (C++20)
动态内存管理
程序工具
协程支持 (C++20)
可变参数函数
is_constant_evaluated
(C++20)
调试支持
(C++26)
三向比较
(C++20)
(C++20)(C++20)(C++20)
(C++20)(C++20)(C++20)
通用工具
日期和时间
函数对象
格式化库 (C++20)
(C++11)
关系运算符 (在 C++20 中已弃用)
整数比较函数
(C++20)(C++20)(C++20)   
(C++20)
交换类型操作
(C++14)
(C++11)
(C++11)
(C++11)
(C++17)
通用词汇类型
(C++11)
(C++17)
(C++17)
(C++17)
(C++11)
(C++17)
(C++23)
基本字符串转换
(C++17)
(C++17)

 
定义在头文件 <type_traits>
constexpr bool is_constant_evaluated() noexcept;
(自 C++20 起)

检测函数调用是否发生在常量计算上下文中。如果调用的计算发生在明显常量计算的表达式或转换的计算过程中,则返回true;否则返回false

为了确定以下变量的初始化器是否明显是常量计算,编译器可能会首先执行尝试性常量计算

  • 具有引用类型或常量限定的整型或枚举类型的变量;
  • 静态和线程局部变量。

不建议在这种情况下依赖结果。

int y = 0;
const int a = std::is_constant_evaluated() ? y : 1;
// Trial constant evaluation fails. The constant evaluation is discarded.
// Variable a is dynamically initialized with 1
 
const int b = std::is_constant_evaluated() ? 2 : y;
// Constant evaluation with std::is_constant_evaluated() == true succeeds.
// Variable b is statically initialized with 2

内容

[编辑] 参数

(无)

[编辑] 返回值

如果调用的计算发生在明显常量计算的表达式或转换的计算过程中,则为true;否则为false

[编辑] 可能的实现

// This implementation requires C++23 if consteval.
constexpr bool is_constant_evaluated() noexcept
{
    if consteval
    {
        return true;
    }
    else 
    {
        return false;
    }
}

[编辑] 说明

当直接用作static_assert声明或constexpr if 语句的条件时,std::is_constant_evaluated()始终返回true

由于if consteval在 C++20 中不存在,因此通常使用编译器扩展来实现std::is_constant_evaluated

功能测试 Std 功能
__cpp_lib_is_constant_evaluated 201811L (C++20) std::is_constant_evaluated

[编辑] 示例

#include <cmath>
#include <iostream>
#include <type_traits>
 
constexpr double power(double b, int x)
{
    if (std::is_constant_evaluated() && !(b == 0.0 && x < 0))
    {
        // A constant-evaluation context: Use a constexpr-friendly algorithm.
        if (x == 0)
            return 1.0;
        double r {1.0};
        double p {x > 0 ? b : 1.0 / b};
        for (auto u = unsigned(x > 0 ? x : -x); u != 0; u /= 2)
        {
            if (u & 1)
                r *= p;
            p *= p;
        }
        return r;
    }
    else
    {
        // Let the code generator figure it out.
        return std::pow(b, double(x));
    }
}
 
int main()
{
    // A constant-expression context
    constexpr double kilo = power(10.0, 3);
    int n = 3;
    // Not a constant expression, because n cannot be converted to an rvalue
    // in a constant-expression context
    // Equivalent to std::pow(10.0, double(n))
    double mucho = power(10.0, n);
 
    std::cout << kilo << " " << mucho << "\n"; // (3)
}

输出

1000 1000

[编辑] 另请参阅

constexpr 指定符(C++11) 指定变量或函数的值可以在编译时计算[编辑]
consteval 指定符(C++20) 指定函数是立即函数,也就是说,对函数的每次调用都必须在常量计算中[编辑]
constinit 指定符(C++20) 断言变量具有静态初始化,即零初始化常量初始化[编辑]