C/C++编程:static_assert声明

static_assert声明

作用:

  • 进行编译时断言检查。

示例:

#include <type_traits>
 
template <class T>
void swap(T& a, T& b)
{
    
    
    static_assert(std::is_copy_constructible<T>::value,
                  "Swap requires copying");
    static_assert(std::is_nothrow_copy_constructible<T>::value
               && std::is_nothrow_copy_assignable<T>::value,
                  "Swap requires nothrow copy/assign");
    auto c = b;
    b = a;
    a = c;
}
 
template <class T>
struct data_structure
{
    
    
    static_assert(std::is_default_constructible<T>::value,
                  "Data Structure requires default-constructible elements");
};
 
struct no_copy
{
    
    
    no_copy ( const no_copy& ) = delete;
    no_copy () = default;
};
 
struct no_default
{
    
    
    no_default () = delete;
};
 
int main()
{
    
    
    int a, b;
    swap(a, b);
 
    no_copy nc_a, nc_b;
    swap(nc_a, nc_b); // 1
 
    data_structure<int> ds_ok;
    data_structure<no_default> ds_error; // 2
}

效果:编译无法通过
在这里插入图片描述

猜你喜欢

转载自blog.csdn.net/zhizhengguan/article/details/115252180