赞
踩
目录
- // Args是一个模板参数包,args是一个函数形参参数包
- // 声明一个参数包Args...args,这个参数包中可以包含0到任意个模板参数。
- template <class ...Args>
- void ShowList(Args... args)
- {}
基于上面的代码,我们可以感觉到,args这个可变模板参数好像和main函数中的命令行参数argv有些许相似,那我们可不可以用for循环来取出其中的参数呢?当然不可以!
c语言中的可变参数是用一个数组进行存储然后在运行时进行解析,所以可以在运行时用运行逻辑解析,但现在是模板参数,模板参数在编译时解析,在编译时就要去推该模板是什么类型。
- // 递归终止函数
- template <class T>
- void ShowList(const T& t)
- {
- cout << t << endl;
- }
- // 展开函数
- template <class T, class ...Args>
- void ShowList(T value, Args... args)
- {
- cout << value << " ";
- ShowList(args...);
- }
- int main()
- {
- ShowList(1);
- ShowList(1, 'A');
- ShowList(1, 'A', std::string("sort"));
- return 0;
- }
emplace_back就是支持了多参数可变模板的插入,对于有移动构造的需要深拷贝的对象来说,效率提升不是非常明显。对于浅拷贝类型的对象来说可以提升效率。比如我们之前的Date日期类。
- class Date
- {
- public:
- Date(int year=0,int month=0,int day=0 )
- :_year(year)
- ,_month(month)
- ,_day(day)
- {
- cout << "构造" << endl;
- }
- Date(const Date& d)
- :_year(d._year)
- , _month(d._month)
- , _day(d._day)
- {
- cout << "拷贝构造" << endl;
- }
- private:
- int _year;
- int _month;
- int _day;
- };
- int main()
- {
- list<Date> lt1;
- lt1.push_back({ 2024,4,8 });
- //emplace不支持如下的写法
- //lt1.emplace_back({ 2024,4,8 });
- lt1.emplace_back(2024,4,8 );
- cout << "================" << endl;
- Date d1(2024, 4, 9);
- cout << "================" << endl;
- lt1.push_back(d1);
- lt1.emplace_back(d1);
- return 0;
- }
可以看到,如果直接传一个对象进去,一般都是进行拷贝构造,而直接传参,emplace会直接调用构造,所以使用emplace时建议直接传参。
直接给插入对象参数的情况下:
emplace系列,深拷贝的类对象,减少一次移动构造,浅拷贝的类对象,减少一次拷贝构造。
C++11中STL的重大变化
1、新容器
2、容器的移动构造和移动赋值
3、新接口 pus/insert/emplace右值版本
(注:一种及其令博主感到懵*的全新的使用方式,不禁感叹这还是C++吗?兄弟你令我感到陌生)
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。