std::is_within_lifetime

来自cppreference.com
< cpp‎ | types
 
 
工具库
通用工具
日期和时间
函数对象
格式化库 (C++20)
(C++11)
关系运算符 (C++20 中弃用)
整数比较函数
(C++20)(C++20)(C++20)
(C++20)
swap 与类型运算
(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> 定义
template< class T >
consteval bool is_within_lifetime( const T* ptr ) noexcept;
(C++26 起)

判断指针 ptr 指向的对象是否在它的生存期内。在对表达式 E 作为核心常量求值的过程中,对 std::is_within_lifetime 的调用非良构,除非 ptr 指向的对象满足以下任一条件:

参数

p - 要检测的指针

返回值

ptr 指向的对象在它的生存期内的情况下返回 true;否则返回 false

示例

std::is_within_lifetime 可以用来检查联合体成员是否活跃:

#include <type_traits>
 
// 一个只占据一个字节的可选布尔类型,假设 sizeof(bool) == sizeof(char)
struct optional_bool
{
    union { bool b; char c; };
 
    // 假设 true 和 false 的值表示都不与 2 的值表示相同
    constexpr optional_bool() : c(2) {}
    constexpr optional_bool(bool b) : b(b) {}
 
    constexpr auto has_value() const -> bool
    {
        if consteval
        {
            return std::is_within_lifetime(&b); // 在常量求值时不能从 c 读取
        }
        else
        {
            return c != 2; // 在运行时必须从 c 读取
        }
    }
 
    constexpr auto operator*() -> bool&
    {
        return b;
    }
};
 
int main()
{
    constexpr optional_bool disengaged;
    constexpr optional_bool engaged(true);
 
    static_assert(!disengaged.has_value());
    static_assert(engaged.has_value());
    static_assert(*engaged);
}