《白话C++》第10章 STL和boost,Page84 shared_ptr示例使用,容器中的指针

容器中的指针在容器解体时经常忘了释放?指针存放在容器中多次,结果被重复释放?这个问题,通过std::shared_ptr都可以完美地解决:

#include 
#include 
#include 
#include  //STL的智能指针
#include 

using namespace std;

struct BigS
{
    int data[100];
    ~BigS() {std::cout << "~BigS" << std::endl;}
};

void test_shared_ptr()
{
    //定义指向BigS的智能指针
    typedef std::shared_ptr  BigSPtr;

    list  lst;

    for(int i = 0; i < 5; ++i)
    {
        std::shared_ptr  pt(new BigS);
        //list里面添加5个新建的BigS堆对象(指针)
        lst.push_back(pt);
    }

    vector  vec;
    vec.resize(5);
    copy(lst.cbegin(), lst.cend(), vec.begin());
    //将lst里面的指针,再复制到另一个容器vector中。
    //清空两个容器,结果看到调用5次的~BigS()析构,
    //不少不多,看起来好像是lst和vec很有默契的配合,
    //已达成谁后面清空谁负责,其实真正调用delete操作的
    //是容器中的智能指针,关容器什么事?
    lst.clear();
    vec.clear();
}

先往list中添加5个新建的BigS堆对象(指针),然后将这些指针再赋值到另一个容器vector中。最后清空两个容器,结果看到调用5次的~BigS()析构,不少不多,看起来好像是lst和vec很有默契的配合,已达成谁后面清空谁负责,其实真正调用delete操作的是容器中的智能指针,关容器什么事?

《白话C++》第10章 STL和boost,Page84 shared_ptr示例使用,容器中的指针_第1张图片

你可能感兴趣的:(《白话C++》智能指针专辑,《白话C++》学习,《白话C++》第10章,STL和boost,c++,开发语言)