C++11新增了列表初始化的概念。
在C++11中可以直接在变量名后面加上初始化列表来进行对象的初始化。
struct A {
public:
A(int) {}
private:
A(const A&) {}
};
int main() {
A a(123);
A b = 123; // error
A c = { 123 };
A d{123}; // c++11
int e = {123};
int f{123}; // c++11
return 0;
}
列表初始化也可以用在函数的返回值上
std::vector<int> func() {
return {};
}
列表初始化的一些规则:
首先说下聚合类型可以进行直接列表初始化,这里需要了解什么是聚合类型:
struct A {
int a;
int b;
int c;
A(int, int){}
};
int main() {
A a{1, 2, 3};// error,A有自定义的构造函数,不能列表初始化
}
上述代码类A不是聚合类型,无法进行列表初始化,必须以自定义的构造函数来构造对象。
struct A {
int a;
int b;
virtual void func() {} // 含有虚函数,不是聚合类
};
struct Base {};
struct B : public Base { // 有基类,不是聚合类
int a;
int b;
};
struct C {
int a;
int b = 10; // 有等号初始化,不是聚合类
};
struct D {
int a;
int b;
private:
int c; // 含有私有的非静态数据成员,不是聚合类
};
struct E {
int a;
int b;
E() : a(0), b(0) {} // 含有默认成员初始化器,不是聚合类
};
上面列举了一些不是聚合类的例子,对于一个聚合类型,使用列表初始化相当于对其中的每个元素分别赋值;对于非聚合类型,需要先自定义一个对应的构造函数,此时列表初始化将调用相应的构造函数。
std::initializer_list
我们平时开发使用STL过程中可能发现它的初始化列表可以是任意长度,大家有没有想过它是怎么实现的呢,答案是std::initializer_list,看下面这段示例代码:
struct CustomVec {
std::vector<int> data;
CustomVec(std::initializer_list<int> list) {
for (auto iter = list.begin(); iter != list.end(); ++iter) {
data.push_back(*iter);
}
}
};
我想通过上面这段代码大家可能已经知道STL是如何实现的任意长度初始化了吧,这个std::initializer_list其实也可以作为函数参数。
注意:std::initializer_list
列表初始化的好处
个人认为列表初始化的好处如下:
什么是类型窄化,列表初始化通过禁止下列转换,对隐式转化加以限制:
示例:
int main() {
int a = 1.2; // ok
int b = {1.2}; // error
float c = 1e70; // ok
float d = {1e70}; // error
float e = (unsigned long long)-1; // ok
float f = {(unsigned long long)-1}; // error
float g = (unsigned long long)1; // ok
float h = {(unsigned long long)1}; // ok
const int i = 1000;
const int j = 2;
char k = i; // ok
char l = {i}; // error
char m = j; // ok
char m = {j}; // ok,因为是const类型,这里如果去掉const属性,也会报错
}
打印如下:
test.cc:24:17: error: narrowing conversion of ‘1.2e+0’ from ‘double’ to ‘int’ inside { } [-Wnarrowing]
int b = {1.2};
^
test.cc:27:20: error: narrowing conversion of ‘1.0000000000000001e+70’ from ‘double’ to ‘float’ inside { } [-Wnarrowing]
float d = {1e70};
test.cc:30:38: error: narrowing conversion of ‘18446744073709551615’ from ‘long long unsigned int’ to ‘float’ inside { } [-Wnarrowing]
float f = {(unsigned long long)-1};
^
test.cc:36:14: warning: overflow in implicit constant conversion [-Woverflow]
char k = i;
^
test.cc:37:16: error: narrowing conversion of ‘1000’ from ‘int’ to ‘char’ inside { } [-Wnarrowing]
char l = {i};
关于列表初始化的所有知识点就是这些,如有遗漏或者遗漏的大家积极留言哈,请持续关注~
参考资料:
《深入应用c++11:代码优化与工程级应用》
https://blog.csdn.net/hailong0715/article/details/54018002
https://zh.cppreference.com/w/cpp/language/list_initialization
https://zh.cppreference.com/w/cpp/language/aggregate_initialization
Copyright© 2013-2020
All Rights Reserved 京ICP备2023019179号-8