C++中的std::is_constructible模板及示例
C++ STL中的 std::is_constructible 模板位于 < type_traits>头文件中。C++ STL的 std::is_constructible 模板用于检查给定类型 T 是否具有一组参数的构造类型。如果 T 具有构造类型,则返回布尔值true,否则返回false。 头文件:
include < type_traits>
模板类:
template <class T, class... Args>
struct is_constructible;
语法:
std::is_constructible::value
参数:
- T: 表示数据类型。
- Args: 表示数据类型 T 的列表。
返回值:
- 如果类型 T 具有成构造类型,则该模板返回布尔变量如下:
- 如果类型 T 没有成构造类型,则返回false。
以下是C/C++中 std::is_constructible 模板的示例。
程序:
// C++ program to illustrate
// std::is_constructible example
#include <bits/stdc++.h>
#include <type_traits>
using namespace std;
// Declare structures
struct A {
};
struct T {
T(int, int){};
};
// Driver Code
int main()
{
cout << std::boolalpha;
// Check if <int> is
// constructible or not
cout << "int: "
<< is_constructible<int>::value
<< endl;
// Check if <int, float> is
// constructible or not
cout << "int(float): "
<< is_constructible<int, float>::value
<< endl;
// Check if <int, float, float> is
// constructible or not
cout << "int(float, float): "
<< is_constructible<int, float, float>::value
<< endl;
// Check if struct T is
// constructible or not
cout << "T: "
<< is_constructible<T>::value
<< endl;
// Check if struct <T, int> is
// constructible or not
cout << "T(int): "
<< is_constructible<T, int>::value
<< endl;
// Check if struct <T, int, int> is
// constructible or not
cout << "T(int, int): "
<< is_constructible<T, int, int>::value
<< endl;
return 0;
}
输出结果:
int: true
int(float): true
int(float, float): false
T: false
T(int): false
T(int, int): true
参考链接: http://www.cplusplus.com/reference/type_traits/is_constructible/