当前位置:   article > 正文

浅析vector容器(3)-使用移动语义提高性能_vector扩容时移动构造

vector扩容时移动构造

浅析vector容器(1)-vector内存分配策略

浅析vector容器(2)-减少vector内存占用

浅析vector容器(3)-使用移动语义提高性能


在上一篇文章中,我们可知,在vector进行扩容或缩容的时候,元素的拷贝是不可避免的。既然拷贝是不可避免的,那么能不能较低拷贝的开销哪?

C++11中很大的一个特性是移动语义,移动语义可以将资源“偷”过来,避免了资源的拷贝和释放。在类有很大的资源时,使用移动语义可以大幅的提升类构造和赋值的性能。

接下来分析一下,移动语义是如何提升vector性能的。

定义一个用于测试的类

class A
{
public:
    A()
    {
        cout << "constuctor :" << this << endl;

        const char * s = "hello";
        int len = strlen(s);
        str_ = new char[len + 1];
        strcpy(str_, s);
    }

    A(const A &another)
    {
        cout << this << " cpy constructor from " << &another << endl;

        int len = strlen(another.str_);
        str_ = new char[len + 1];
        strcpy(str_, another.str_);
    }

    A(A &&another) noexcept
    {
        cout << this << " move constructor from " << &another << endl;

        this->str_ = another.str_;

        another.str_ = nullptr;
    }

    ~A()
    {
        cout << "deconstrutor :" << this << endl;
        if (str_)
        {
            delete[] str_;
        }
    }

private:
    char *str_;
};
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8
  • 9
  • 10
  • 11
  • 12
  • 13
  • 14
  • 15
  • 16
  • 17
  • 18
  • 19
  • 20
  • 21
  • 22
  • 23
  • 24
  • 25
  • 26
  • 27
  • 28
  • 29
  • 30
  • 31
  • 32
  • 33
  • 34
  • 35
  • 36
  • 37
  • 38
  • 39
  • 40
  • 41
  • 42
  • 43

没有移动构造时

构造vector对象
A a;
vector<A> va(3,a);
  • 1
  • 2

在这里插入图片描述
vector<A> va(3,a);执行完毕后,vector中有三个元素,且每个元素都有资源。
在这里插入图片描述

向vector中推入对象a
A a;
vector<A> va(3,a);

cout<<"============================"<<endl;

va.push_back(a);
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6

在这里插入图片描述
推入a元素之前,va并没有多余的空间,所以为了存放a元素,需要再开辟一段空间,将a元素推进去,同时还需要将之前的三个元素也拷贝过去。

在拷贝之前的三个元素时,会造成资源的拷贝和释放。
在这里插入图片描述

提供移动构造时

构造vector对象
A a;
vector<A> va(3,a);
  • 1
  • 2

在这里插入图片描述
在这里插入图片描述

向vector中推入对象a
A a;
vector<A> va(3,a);

cout<<"============================"<<endl;

va.push_back(a);
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6

在这里插入图片描述

可以看到,在将旧空间中的三个元素搬移到新空间时,使用的是移动构造而不是拷贝构造。在移动构造时,直接将旧元素的资源给搬移过来了,而没有发生资源的拷贝和释放。
在这里插入图片描述

vector的空间在扩容时,需要将旧空间的元素复制到新的空间,使用移动构造,可以将旧空间中,旧元素的资源给“偷”到新空间的元素中,这样就可以避免资源的拷贝和释放,可以极大的提高性能。

移动构造必须加上noexcept

A(A &&another) noexcept
{
    cout << this << " move constructor from " << &another << endl;

    this->str_ = another.str_;

    another.str_ = nullptr;
}
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6
  • 7
  • 8

移动构造必须加上noexcept,否则vector不会使用移动构造,依然使用拷贝构造。

A a;
vector<A> va(3,a);

cout<<"============================"<<endl;

va.push_back(a);
  • 1
  • 2
  • 3
  • 4
  • 5
  • 6

在这里插入图片描述
A(A &&another)去掉noexcept后,使用的依然是拷贝构造。
在这里插入图片描述

以上截取自《C++性能优化指南》P111。

在这里插入图片描述

以上截取自《C++ primer(第五版)》P474。

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/在线问答5/article/detail/1021068
推荐阅读
相关标签
  

闽ICP备14008679号