cpp智能指针篇(一):关于auto_ptr的一切

目录

写在前面

总览

智能指针的分类

为什么要使用智能指针?

auto_ptr

致谢


写在前面

在过去几天中,我深入研究了智能指针的相关知识。这已经不是我第一次学习智能指针了,但这一次,我感觉自己真正理解了智能指针的工作原理。最初我打算在完整掌握智能指针的所有细节后再进行分享,但随着学习的深入,我发现内容远比预想的要丰富。因此,我决定边学习边总结,边回顾边分享。今天,我想和大家讨论一个已被淘汰的智能指针——auto_ptr。我们将从它的使用方法、内部源码分析、存在的缺陷,到常见的陷阱几个方面进行深入探讨,以彻底把握智能指针的核心逻辑。这不仅为我们后续学习 shared_ptrunique_ptr 以及 weak_ptr 打下了坚实的基础,而且通过理解其需求和不足,我们能更加深刻地体会智能指针设计背后的理念,使得我们在使用它们时更加得心应手。

后续的智能指针今天也会一并上传,大家共勉~

总览

智能指针的分类
  • auto_ptr

  • unique_ptr

  • shared_ptr

  • weak_ptr

为什么要使用智能指针?
  • 举一个特别容易范的错误,当开辟一个堆空间来存储变量,却忘记了释放,这种可能大家觉得很容易注意到。

  •  #include <iostream>#include <string>#include <exception>​​int memory_leak_demo(){auto* str = new std::string("Too tired, go home and have rest~");std::cout << *str << std::endl;//forgot to free the memoryreturn 0;}

  • 那么就是另外一个例子,明明特别注意了堆空间的释放,但是碰到了异常抛出?

  • 这里稍微注意一点,在g++上异常的抛出不能用std::exception("string....")的形式,因为没有这个构造函数(visual studio 上面是可以的)。这时我们应该使用std::runtime_error("string...")来实现异常的抛出。

  •  int memory_leak_demo_2(){auto* str = new std::string("There is some trap, which is hard to identify~");std::cout << *str << std::endl;{//this operation is not allowed in g++ or clang++,//while allowed in Microsoft visual studio//        throw std::exception("something_wrong");共勉//this is the way used in g++throw std::runtime_error("something wrong");}//due to the exception function, the following codes will not be executed//as a result, the free operation will not be executed, which is dangerousstd::cout << *str << std::endl;delete str;​return 0;}

  • 然后大家可以做一个简单的测试来查看一下我们内存的占用情况,给你们一个dirty的代码:

  •  
    void test01(){for(int i=0; i<100000; ++i){for(int j=0; j<100000; ++j){memory_leak_demo();​try{memory_leak_demo_2();}catch(std::runtime_error& e){std::cout << e.what() << std::endl;}}}}​​int main() {​test01();​return 0;}

  • 如果内存小的话应该是可以很快占满的,博主的电脑128gb等了一会实在等不下去了,但是确实能看到内存再不断上升,这里就不贴运行结果了。

  • 那么这个问题怎么解决呢?其实标准库中已经帮我们实现了,那就是直接使用std::string对象,在程序结束,或者被异常终止时,std::string的析构函数就会被调用。

  •  #include <iostream>#include <string>#include <exception>​//better way​​int memory_leak_demo_opt(){std::string str("Too tired, go home and have rest~");std::cout << str << std::endl;//the memory will be free automatically,// even in the std::string definition, the memory was allocated in heapreturn 0;}​​int memory_leak_demo_2_opt(){std::string str("There is some trap, which is hard to identify~");std::cout << str << std::endl;{//the destructor of std::string will free the memory allocated for the stringthrow std::runtime_error("something wrong");}//due to the exception function, the following codes will not be executed//however, the free operation will be executed automatically, which is called by the destructorstd::cout << str << std::endl;​return 0;}

  • 然后重复一下上面的工作,做一个测试函数吧:

  •  void test02(){for(int i=0; i<100000; ++i){for(int j=0; j<100000; ++j){memory_leak_demo_opt();​try{memory_leak_demo_2_opt();}catch(std::runtime_error& e){std::cout << e.what() << std::endl;}}}}​​​int main() {​test02();​return 0;}

  • 这一次大家可以观察一下,内存实际上没有之前操作的那种持续的上升了,这也就印证了我们的假设,析构函数是可以实现内存的自动释放的,即使是遇到了异常的抛出,这一点我们实际上在之前的excption专题中专门用例子查看过。

  • 此外,其实我们知道std::string 的内部实现也是通过开辟和释放堆内存的方式来实现的,那么我们是否可以参考这种实现的方法来对我们的指针进行优化呢?

  • 这个问题的普遍性和重要性大家应该感受到了,而且貌似我们也已经找到了问题的解决办法,即实现一个配有析构函数的指针实现自动释放开辟的堆内存。

  • cpp标准库就是这么想得,于是便有了cpp98中的第一个smart pointer auto_ptr

auto_ptr
  • auto_ptrcpp98定义的智能指针模板,其内部定义了管理指针的机制,可以将new 获得的地址直接赋值给这个对象,在对象的生命周期截止时会自动调用析构函数来释放相应的内存。

  • 转入auto_ptr的定义我们可以看到其成员变量,构造函数(constructor)以及析构函数(destructor),其实这个智能指针就是对一个指向一段在堆上开辟的内存的指针_M_ptr进行管理的类:

    •  template<typename _Tp>class auto_ptr{private:_Tp* _M_ptr;public:/// The pointed-to type.typedef _Tp element_type;/***  @brief  An %auto_ptr is usually constructed from a raw pointer.*  @param  __p  A pointer (defaults to NULL).**  This object now @e owns the object pointed to by @a __p.*/explicitauto_ptr(element_type* __p = 0) throw() : _M_ptr(__p) { }~auto_ptr() { delete _M_ptr; }//other members.............};
       ​
  • 使用方法

    • 头文件引入#include <memory>

    • 使用方法auto_ptr<type_name> vname(new type_name);

    • 例如:

      •  #include <memory>#include <string>#include <vector>​int main(){std::auto_ptr<int> pInt(new int(5));std::auto_ptr<std::string> pString(new std::string("hello world"));std::auto_ptr<std::vector<int>> pVint(new std::vector<int>(10));return 0;}

      • 这里有一个小问题,如果直接用博主的主机运行这段代码,会报很多警告,但是不会影响你运行代码。例如:

      •  ====================[ Build | project03 | Debug ]===============================/home/herryao/Software/clion-2023.2/bin/cmake/linux/x64/bin/cmake --build /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/cmake-build-debug --target project03 -- -j 10[ 50%] Building CXX object CMakeFiles/project03.dir/main.cpp.o/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/main.cpp: In function ‘void memory_leak_demo_opt_pro()’:/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/main.cpp:29:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]29 |     std::auto_ptr<Test> t0(new Test{});|          ^~~~~~~~In file included from /usr/include/c++/12/memory:75,from /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/main.cpp:1:/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/main.cpp: In function ‘int main()’:/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/main.cpp:33:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]33 |     std::auto_ptr<int> pInt(new int(5));|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/main.cpp:34:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]34 |     std::auto_ptr<std::string> pString(new std::string("hello world"));|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/main.cpp:35:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]35 |     std::auto_ptr<std::vector<int>> pVint(new std::vector<int>(10));|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~[100%] Linking CXX executable project03[100%] Built target project03​Build finished

      • 大概意思就是这个东西被弃用了,最好使用std::unique_ptr,这里先买个关子,一会会讲为什么。

    • 我们来用一个小例子对这个被废弃的智能指针做一个练习:

    • 首先总体介绍一下auto_ptr的使用方法:

      • 首先就是operator * 和 operator ->这两个操作符号的重载直接使得其使用方法和普通指针相同,其原型实现如下:

      •  
        public: /// The pointed-to type.typedef _Tp element_type;​element_type&operator*() const throw() {__glibcxx_assert(_M_ptr != 0);return *_M_ptr; }/***  @brief  Smart pointer dereferencing.**  This returns the pointer itself, which the language then will*  automatically cause to be dereferenced.*/element_type*operator->() const throw() {__glibcxx_assert(_M_ptr != 0);return _M_ptr; }

      • .get():直接返回相应的指针,类似于直接使用智能指针,其原型实现如下:

      •  
        public: element_type*  get() const throw() { return _M_ptr; }

      • .release(): 对当前管控的内存托管,会返回管控的内存,此时相当于智能指针失效,这之后堆内存就需要手动释放了。其原型实现如下:

      •  
        public:/// The pointed-to type.typedef _Tp element_type;element_type*release() throw(){element_type* __tmp = _M_ptr;_M_ptr = 0;return __tmp;}

      • .reset(): 重置当前管理的内存,如果传入的地址和原内存不一致,那就会对原受控内存直接进行析构,然后接管传入的内存,也就是两个智能指针之间所有权的转移。其原型实现如下:

      •  public:voidreset(element_type* __p = 0) throw(){if (__p != _M_ptr){delete _M_ptr;_M_ptr = __p;}}

      • 拷贝构造函数(copy constructor)中定义的拷贝类似于所有权的交接,调用了被拷贝对象的release()方法,这一点很反直觉,类似地还有拷贝赋值(copy assignment)即operator =的重写,稍后会继续解释这个问题。其定义如下:

      •  public:auto_ptr(auto_ptr& __a) throw() : _M_ptr(__a.release()) { }

    • 几点注意事项:

      • 不要把auto_ptr对象声明为全局变量,这样等同于没有意义。

      • 千万慎用赋值,这是cpp11弃用auto_ptr的最主要原因。下面是拷贝赋值的源码实现,其操作类似于拷贝构造,可以看到实际上就是一个所有权的转移,调用了之前提到的reset()方法。这种方法很隐蔽,交接所有权后会把原来的autoptr中管理的内存置空,如果再次访问这个指针,会造成未定义行为,即访问空指针。

      • 尽管 std::auto_ptr 的赋值操作实际上执行的是所有权的转移,这种设计被认为是不直观的,容易导致错误,特别是在复杂的程序中。这是因为它违反了赋值操作通常不改变源对象的常规预期。

      •  public:template<typename _Tp1>auto_ptr&operator=(auto_ptr<_Tp1>& __a) throw(){reset(__a.release());return *this;}​

      • 不要创建一个指向(auto_ptr对象)的指针,因为这样只会直接删除掉这个指针变量,而并不会调用其指向内容的析构函数,如此一来相当于没有意义,换句话来说,如果创建的是智能指针对象的指针,那么这个东西实际上就是一串地址而已,出栈销毁后对其指向对象没影响

      • auto_ptrcpp11后被废弃了,unique_ptr完全可以取而代之。

    • 下面用一个例子来将上述方法及注意事项逐个演练一下:

    •  #include <memory>#include <iostream>#include <string>#include <vector>#include <exception>​​//define one class to check the detail of the memory free operationclass Test{public:Test(){std::cout << "Test is constructed" << std::endl;this->_flag = 1;}​~Test(){std::cout << "Test is destructed" << std::endl;}​[[nodiscard]]int getFlag() const{return  this->_flag;}protected:int _flag;};​//warning 1: dont declare the smart pointer as a global variable, which result in meaningless of smart pointer usage;//std::auto_ptr<Test> t(new Test{});​void memory_leak_demo_opt_pro(){std::auto_ptr<Test> t0(new Test{});//warning 2: do not declare one pointer of smart pointer pointing at smart pointer object....//this will not call the destructor of the smartpointer, but will directly delete the pointer pointing the smartpointer, which is useless//std::auto_ptr<Test>* tp = new std::auto_ptr<Test>(new Test{});​//warning 3: unless fully understand the operation, try not to assign one auto_ptr object to another//when checking the source code of auto_ptr, it can be seen that the copy assignment is reset operation,// which means giving the ownership to another auto_ptr, while current controlling memory will be set// as nullptr, if this is ignored and try to further access the memory inside the operated auto_ptr, resulting// in a nullptr accessing, meaning one undefined operation//    std::auto_ptr<Test> t1 = t0;​//The usage of smart pointer is same as the normal pointer object, since the operator* and operator-> are overloadedstd::cout << "calling from the -> operator " << t0->getFlag() << std::endl;std::cout << "calling from the . operator " << (*t0).getFlag() << std::endl;​//the get() methodTest* temp = t0.get();std::cout << "access the method with .get() member function: " << temp->getFlag() << std::endl;​//the release() method//release() method will give up the control authority and return the pointer//after this operation, the smart pointer is deactivated, and the memory in heap need to be free manuallyTest* targ = t0.release();std::cout << "access the method using the return object from .release() method: " << targ->getFlag() << std::endl;​//the reset() method//to reset the memory that the auto_ptr pointing at, if with different memory, the previous memory will be free.//initialize a new object to show the methodstd::auto_ptr<Test> t2(new Test{});//equal to delete the object//t2.reset();t2.reset(new Test{});​};​int main(){//    std::auto_ptr<int> pInt(new int(5));//    std::auto_ptr<std::string> pString(new std::string("hello world"));//    std::auto_ptr<std::vector<int>> pVint(new std::vector<int>(10));memory_leak_demo_opt_pro();​return 0;}
       ​
    • 运行结果如下,基本的测试都已通过,大家可以结合源码来理解下这个输出,其实就是分别测试了各种的方法并得到一致的运行结果:

    •  /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Mon/project03/cmake-build-debug/project03Test is constructedcalling from the -> operator 1calling from the . operator 1access the method with .get() member function: 1access the method using the return object from .release() method: 1Test is constructedTest is constructedTest is destructedTest is destructed​Process finished with exit code 0

    • 而再此我想说的是我注释掉的部分,std::auto_ptr<Test> t1 = t0;,这么一句话会导致t0被置空,当在此访问t0时会造成未定义行为。

    • 我在多做一个测试来验证一下这个过程,定义两个管理stringauto_ptr对象,然后我们对其进行赋值拷贝操作,并通过.get()方法来查看在这个操作前后所管理的内存空间:

    •  #include <iostream>#include <memory>#include <string>​​void trap_01() {std::auto_ptr<std::string> p1(new std::string("this is asif"));std::auto_ptr<std::string> p2(new std::string("this is gulgun"));std::cout << "=====================before assignment=====================" << std::endl;std::cout << "address of p1: " << p1.get() << std::endl;std::cout << "address of p2: " << p2.get() << std::endl;p1 = p2;std::cout << "=====================after assignment=====================" << std::endl;std::cout << "address of p1: " << p1.get() << std::endl;std::cout << "address of p2: " << p2.get() << std::endl;}​​int main() {trap_01();​return 0;}​

    • 其输出结果如下,可以看出在运行拷贝赋值之后,如我们之前所说的,他将第一个管理的内容删掉了,然后对传入的对象进行了release()操作置为了空,可以看到操作后p1指向了p2管理的内存而p2指向了nullptr

    •  /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/cmake-build-debug/project01=====================before assignment=====================address of p1: 0x55ce8af35eb0address of p2: 0x55ce8af35ee0=====================after assignment=====================address of p1: 0x55ce8af35ee0address of p2: 0​Process finished with exit code 0
       ​
    • auto_ptr的陷阱一:

    • 我们定义两个auto_ptr的空构造对象,然后让其同时指向一个被创建在堆空间的指针。

    •  #include <iostream>#include <memory>#include <string>​void trap_02(){std::auto_ptr<std::string> p1{};std::auto_ptr<std::string> p2{};std::string* str = new std::string("hello world");std::cout << "=============================== before reset() ===============================" << std::endl;std::cout << "address of p1: " << p1.get() << std::endl;std::cout << "address of p2: " << p2.get() << std::endl;p1.reset(str);p2.reset(str);std::cout << "=============================== after reset() ===============================" << std::endl;std::cout << "address of p1: " << p1.get() << std::endl;std::cout << "address of p2: " << p2.get() << std::endl;}​​int main() {trap_02();​return 0;}

    • 其输出结果如下所示,可以看出两个auto_ptr同时指向了相同的一段内存空间,这时如果程序结束调用二者的析构会发生什么呢?会对已经释放的内存进行多次释放造成段错误,这很危险且编译器无法识别。

    •  /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/cmake-build-debug/project01=============================== before reset() ===============================address of p1: 0address of p2: 0=============================== after reset() ===============================address of p1: 0x5589aded1eb0address of p2: 0x5589aded1eb0​Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)
       ​
    • 换一种方式来重新看待这个操作过程,假如我们的程序一直在运行,但是运行期间我们对其中一个auto_ptr进行了释放,之后我们尝试访问另外一个同指向这个内存空间的对象会怎么样呢?

    •  #include <iostream>#include <memory>#include <string>​void trap_03(){std::auto_ptr<std::string> p1{};std::string* str = new std::string("hello world");std::cout << "address of p1: " << p1.get() << std::endl;p1.reset(str);{std::auto_ptr<std::string> p2{};std::cout << "address of p2: " << p2.get() << std::endl;p2.reset(str);std::cout << "address of p2: " << p2.get() << std::endl;}std::cout << "=============================== after p2 delete ===============================" << std::endl;std::cout << "address of p1: " << p1.get() << std::endl;std::cout << "=============================== try to access the content managed in p1===============================" << std::endl;std::cout << *p1.get() << std::endl;}​int main() {trap_03();​return 0;}
       ​
    • 输出结果如下,可以看出,如果在程序运行过程中,auto_ptr的使用会造成安全隐患,可能会终止程序运行。

    •  /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/cmake-build-debug/project01address of p1: 0address of p2: 0address of p2: 0x55cb0947eeb0=============================== after p2 delete ===============================address of p1: 0x55cb0947eeb0=============================== try to access the content managed in p1===============================​Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)
       ​
    • 陷阱二与标准库容器的联用:

    • 下面我们依旧定义两个auto_ptr然后尝试将其存储到std::vector容器中:

    •  #include <iostream>#include <memory>#include <string>#include <vector>​void trap_04(){std::auto_ptr<std::string> p1(new std::string("this is asif"));std::auto_ptr<std::string> p2(new std::string("this is gulgun"));std::vector<std::auto_ptr<std::string>> v1;v1.push_back(p1);v1.push_back(p2);//    v1.push_back(std::move(p1));//    v1.push_back(std::move(p2));}​int main() {trap_04();​return 0;}
       ​
    • 输出结果如下,大致意思就是编译器知道auto_ptr的拷贝构造会破坏原始对象的所有权,我后面的两个把智能指针当作右值传入是可行的(这种操作也是所有的智能指针新标准中要求的操作方法,转移所有权需要用右值转换,在这个操作后原始的对象会失去价值,并被容器接管):

    •  ====================[ Build | project01 | Debug ]===============================/home/herryao/Software/clion-2023.2/bin/cmake/linux/x64/bin/cmake --build /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/cmake-build-debug --target project01 -- -j 10[ 50%] Building CXX object CMakeFiles/project01.dir/main.cpp.o/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp: In function ‘void trap_01()’:/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:7:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]7 |     std::auto_ptr<std::string> p1(new std::string("this is asif"));|          ^~~~~~~~In file included from /usr/include/c++/12/memory:75,from /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:2:/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:8:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]8 |     std::auto_ptr<std::string> p2(new std::string("this is gulgun"));|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp: In function ‘void trap_02()’:/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:20:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]20 |     std::auto_ptr<std::string> p1{};|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:21:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]21 |     std::auto_ptr<std::string> p2{};|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp: In function ‘void trap_03()’:/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:35:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]35 |     std::auto_ptr<std::string> p1{};|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:42:14: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]42 |         std::auto_ptr<std::string> p2{};|              ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp: In function ‘void trap_04()’:/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:54:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]54 |     std::auto_ptr<std::string> p1(new std::string("this is asif"));|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:55:10: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]55 |     std::auto_ptr<std::string> p2(new std::string("this is gulgun"));|          ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:56:22: warning: ‘template<class> class std::auto_ptr’ is deprecated: use 'std::unique_ptr' instead [•]8;;https://gcc.gnu.org/onlinedocs/gcc/Warning-Options.html#index-Wdeprecated-declarations•-Wdeprecated-declarations•]8;;•]56 |     std::vector<std::auto_ptr<std::string>> v1;|                      ^~~~~~~~/usr/include/c++/12/bits/unique_ptr.h:64:28: note: declared here64 |   template<typename> class auto_ptr;|                            ^~~~~~~~In file included from /usr/include/x86_64-linux-gnu/c++/12/bits/c++allocator.h:33,from /usr/include/c++/12/bits/allocator.h:46,from /usr/include/c++/12/string:41,from /usr/include/c++/12/bits/locale_classes.h:40,from /usr/include/c++/12/bits/ios_base.h:41,from /usr/include/c++/12/ios:42,from /usr/include/c++/12/ostream:38,from /usr/include/c++/12/iostream:39,from /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:1:/usr/include/c++/12/bits/new_allocator.h: In instantiation of ‘void std::__new_allocator<_Tp>::construct(_Up*, _Args&& ...) [with _Up = std::auto_ptr<std::__cxx11::basic_string<char> >; _Args = {const std::auto_ptr<std::__cxx11::basic_string<char, std::char_traits<char>, std::allocator<char> > >&}; _Tp = std::auto_ptr<std::__cxx11::basic_string<char> >]’:/usr/include/c++/12/bits/alloc_traits.h:516:17:   required from ‘static void std::allocator_traits<std::allocator<_CharT> >::construct(allocator_type&, _Up*, _Args&& ...) [with _Up = std::auto_ptr<std::__cxx11::basic_string<char> >; _Args = {const std::auto_ptr<std::__cxx11::basic_string<char, std::char_traits<char>, std::allocator<char> > >&}; _Tp = std::auto_ptr<std::__cxx11::basic_string<char> >; allocator_type = std::allocator<std::auto_ptr<std::__cxx11::basic_string<char> > >]’/usr/include/c++/12/bits/stl_vector.h:1281:30:   required from ‘void std::vector<_Tp, _Alloc>::push_back(const value_type&) [with _Tp = std::auto_ptr<std::__cxx11::basic_string<char> >; _Alloc = std::allocator<std::auto_ptr<std::__cxx11::basic_string<char> > >; value_type = std::auto_ptr<std::__cxx11::basic_string<char> >]’/media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/main.cpp:57:17:   required from here/usr/include/c++/12/bits/new_allocator.h:175:11: error: no matching function for call to ‘std::auto_ptr<std::__cxx11::basic_string<char> >::auto_ptr(const std::auto_ptr<std::__cxx11::basic_string<char> >&)’175 |         { ::new((void *)__p) _Up(std::forward<_Args>(__args)...); }|           ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~In file included from /usr/include/c++/12/memory:81:/usr/include/c++/12/backward/auto_ptr.h:127:9: note: candidate: ‘template<class _Tp1> std::auto_ptr< <template-parameter-1-1> >::auto_ptr(std::auto_ptr<_Up>&) [with _Tp = std::__cxx11::basic_string<char>]’127 |         auto_ptr(auto_ptr<_Tp1>& __a) throw() : _M_ptr(__a.release()) { }|         ^~~~~~~~/usr/include/c++/12/backward/auto_ptr.h:127:9: note:   template argument deduction/substitution failed:/usr/include/c++/12/bits/new_allocator.h:175:11: note:   types ‘std::auto_ptr<_Up>’ and ‘const std::auto_ptr<std::__cxx11::basic_string<char> >’ have incompatible cv-qualifiers175 |         { ::new((void *)__p) _Up(std::forward<_Args>(__args)...); }|           ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~/usr/include/c++/12/backward/auto_ptr.h:266:7: note: candidate: ‘std::auto_ptr< <template-parameter-1-1> >::auto_ptr(std::auto_ptr_ref<_Tp>) [with _Tp = std::__cxx11::basic_string<char>]’266 |       auto_ptr(auto_ptr_ref<element_type> __ref) throw()|       ^~~~~~~~/usr/include/c++/12/backward/auto_ptr.h:266:43: note:   no known conversion for argument 1 from ‘const std::auto_ptr<std::__cxx11::basic_string<char> >’ to ‘std::auto_ptr_ref<std::__cxx11::basic_string<char> >’266 |       auto_ptr(auto_ptr_ref<element_type> __ref) throw()|                ~~~~~~~~~~~~~~~~~~~~~~~~~~~^~~~~/usr/include/c++/12/backward/auto_ptr.h:114:7: note: candidate: ‘std::auto_ptr< <template-parameter-1-1> >::auto_ptr(std::auto_ptr< <template-parameter-1-1> >&) [with _Tp = std::__cxx11::basic_string<char>]’ (near match)114 |       auto_ptr(auto_ptr& __a) throw() : _M_ptr(__a.release()) { }|       ^~~~~~~~/usr/include/c++/12/backward/auto_ptr.h:114:7: note:   conversion of argument 1 would be ill-formed:/usr/include/c++/12/bits/new_allocator.h:175:11: error: binding reference of type ‘std::auto_ptr<std::__cxx11::basic_string<char> >&’ to ‘const std::auto_ptr<std::__cxx11::basic_string<char> >’ discards qualifiers175 |         { ::new((void *)__p) _Up(std::forward<_Args>(__args)...); }|           ^~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~/usr/include/c++/12/backward/auto_ptr.h:105:7: note: candidate: ‘std::auto_ptr< <template-parameter-1-1> >::auto_ptr(element_type*) [with _Tp = std::__cxx11::basic_string<char>; element_type = std::__cxx11::basic_string<char>]’105 |       auto_ptr(element_type* __p = 0) throw() : _M_ptr(__p) { }|       ^~~~~~~~/usr/include/c++/12/backward/auto_ptr.h:105:30: note:   no known conversion for argument 1 from ‘const std::auto_ptr<std::__cxx11::basic_string<char> >’ to ‘std::auto_ptr<std::__cxx11::basic_string<char> >::element_type*’ {aka ‘std::__cxx11::basic_string<char>*’}105 |       auto_ptr(element_type* __p = 0) throw() : _M_ptr(__p) { }|                ~~~~~~~~~~~~~~^~~~~~~gmake[3]: *** [CMakeFiles/project01.dir/build.make:76: CMakeFiles/project01.dir/main.cpp.o] Error 1gmake[2]: *** [CMakeFiles/Makefile2:83: CMakeFiles/project01.dir/all] Error 2gmake[1]: *** [CMakeFiles/Makefile2:90: CMakeFiles/project01.dir/rule] Error 2gmake: *** [Makefile:124: project01] Error 2
       ​
    • 陷阱三:标准库容器中的拷贝操作

    • 那么如果我们全部转为右值就真的解决了这个问题了吗?

    • 我们继续尝试上面的操作,然后我们将第二个元素赋值给第一个元素(这是容器中很常见的操作,所有的元素都应该是可相互赋值的)并看看会发生什么:

    •  #include <iostream>#include <memory>#include <string>#include <vector>​​void trap_05(){std::auto_ptr<std::string> p1(new std::string("this is asif"));std::auto_ptr<std::string> p2(new std::string("this is gulgun"));std::vector<std::auto_ptr<std::string>> v1;v1.push_back(std::move(p1));v1.push_back(std::move(p2));std::cout << "v1[0]:" << *v1[0] << std::endl;std::cout << "v1[1]:" << *v1[1] << std::endl;v1[0] = v1[1];std::cout << "=============================== after assignment ===============================" << std::endl;std::cout << "v1[0]:" << *v1[0] << std::endl;std::cout << "v1[1]:" << *v1[1] << std::endl;}​int main() {trap_05();​return 0;}
       ​
    • 最终输出结果如下,可以看出又一次其内置拷贝构造函数的弊端被展示出来,一旦拷贝,就会导致原对象失效,如果再次访问这个对象,就会造成越界访问的未定义操作。(其实我们也看出来这个拷贝根本就不应该存在)

    •  
      /media/herryao/81ca6f19-78c8-470d-b5a1-5f35b4678058/work_dir/Document/computer_science/QINIU/projects/week05/Tue/project01/cmake-build-debug/project01v1[0]:this is asifv1[1]:this is gulgun=============================== after assignment ===============================v1[0]:this is gulgun​Process finished with exit code 139 (interrupted by signal 11: SIGSEGV)​

    • auto_ptr不支持数组的管理,比如std::auto_ptr<int[]> pt(new int[5]);是不被支持的。

  • 我们来总结一下auto_ptr的弊端,这样能让我们更好地理解为什么他会在cpp11被废弃在cpp17中被移除,以及为什么我们需要全新的智能指针:

    • 所有权语义混淆:在进行赋值或者赋值时直接进行了所有权的交接并把被操作对象置空,这种方法不符合传统复制语义,即复制操作不改变原始被复制的内容,容易造成程序员混淆。

    • 不适合在标准库中的容器操作:在容器中,比如std::vector中在将一个元素push到其中会引发拷贝构造操作,但是对于auto_ptr中的拷贝构造实际上会将原始对象置空,这显然不是容器的本身逻辑。

    • 不支持数组类型指针的创建和管理:当 std::auto_ptr 被设计出来的时候,它主要用于管理单个对象而非对象数组。在其源码中,我们刚刚查看过其构造函数析构函数分别定义为new 和delete而非new[]和delete[]这就造成了其无法管理和创建数组类型的尴尬。

    • 不支持多个所有者std::auto_ptr 不支持多个指针共享对同一对象的所有权,这会导致程序的崩溃。这限制了它在某些场景下的使用,例如,不能用于实现共享资源的管理。

    • 不支持多态和基类/派生类关系auto_ptr 在处理基类和派生类之间的指针转换时可能会遇到问题。由于所有权的转移特性,将派生类的 auto_ptr 赋值给基类的 auto_ptr 可能导致对象切割(slicing)或其他问题。

    • cpp11unique_ptr , shared_ptr以及 weak_ptr三者的引入完美解决了以上提到的所有问题。

致谢

  • 感谢Martin老师的课程。

  • 感谢各位的支持,祝大家的cpp水平越来越强。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/671311.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

springboot war包部署 和jar包部署

文章目录 war包部署设置打包方式为war排除内嵌的tomcat在插件中指定入口类打包测试 jar包部署设置打包方式执行打包测试访问修改插件版本指定jsp打包配置 重新打包测试 war包部署 设置打包方式为war 执行项目打包的方式为 "war" 默认创建springboot项目打包都是ja…

vscode的ssh忽然连不上服务器:远程主机可能不符合glibc和libstdc++ VS Code服务器的先决条件

vscode自动更新了一下就发现连不上服务器了&#xff0c;我寻思估计一大堆人都寄了&#xff0c;一搜&#xff0c;果然哈哈哈哈 然后我直接搜一天内新发布的博客&#xff0c;还真给我搜到了这个问题&#xff0c;按照这个问题里面的回答&#xff08;vscode1.86无法远程连接waitin…

TCP和UDP相关问题(重点)(2)

2.TCP和UDP的使用场景&#xff1f; UDP一般使用在传输数据的准确性要求不是特别高的场景&#xff0c;传输速度块。例如&#xff1a;视频通话&#xff0c;直播&#xff0c;语音。 TCP一般使用在对数据传输准确度特别高的场景&#xff0c;虽然速度慢一些&#xff0c;但也要保证数…

2024.2.6日总结(小程序开发3)

页面配置 页面配置和全局配置的关系&#xff1a; 小程序中&#xff0c;app.json中的window节点&#xff0c;可以全局配置小程序中每个页面的窗口表现 如果某些小程序想要有特殊的窗口表现&#xff0c;可以用页面级别的.json配置文件实现这个需求 页面配置和全局配置冲突时&…

Apache Kafka: 强大消息队列系统的介绍与使用

目录 引言 一、什么是Apache Kafka&#xff1f; 二、核心概念&#xff1a; 三、架构与工作原理&#xff1a; 四、使用实例&#xff1a; 五、优势与挑战&#xff1a; 六、结论&#xff1a; 引言 随着互联网技术的飞速发展&#xff0c;分布式系统变得越来越复杂&#xff0…

SpringBoot之整合PageHelper分页插件

SpringBoot之整合PageHelper分页插件 文章目录 SpringBoot之整合PageHelper分页插件1. 引入坐标2. application.yml配置3. 基本使用4. 对多个查询执行分页1. 默认第一个Select语句会执行分页2. 让Pagehelper也能执行多个分页的方法3. 完整案例 详细配置请查看官网或MyBatis分页…

程序员为什么不喜欢关电脑?

目录 标题&#xff1a;程序员为何乐见电脑长时间处于关闭状态&#xff1f; 引言&#xff1a; 一、思维的延续性&#xff1a; 二、环境的连续性&#xff1a; 三、长时间开机的原因&#xff1a; 四、恢复成本的考量&#xff1a; 结论&#xff1a; 特别的&#xff1a; 不是…

c++ 子进程交互 逻辑

目录 一、主进程逻辑 1、创建子进程时候,写入自己的HWND 2、响应子进程消息

亿某通电子文档安全管理系统 UploadFileToCatalog SQL注入漏洞

免责声明&#xff1a;文章来源互联网收集整理&#xff0c;请勿利用文章内的相关技术从事非法测试&#xff0c;由于传播、利用此文所提供的信息或者工具而造成的任何直接或者间接的后果及损失&#xff0c;均由使用者本人负责&#xff0c;所产生的一切不良后果与文章作者无关。该…

leetcode | 杨辉三角 | 电话号码配对

电话号码的字母组合 class Solution {string _num[10] {"","","abc","def","ghi","jkl","mno","pqrs","tuv","wxyz"};public:void Combinations(const string& di…

Python __file__属性:查看模块的源文件路径

除可以查看模块的帮助信息之外&#xff0c;还可以直接阅读模块的源代码来掌握模块功能&#xff0c;提升 Python 编程能力。 不管学习哪种编程语言&#xff0c;认真阅读那些优秀的框架、库的源代码都是非常好的学习方法。 通过模块的 __file__ 属性即可查看到指定模块的源文件…

防范恶意勒索攻击!亚信安全发布《勒索家族和勒索事件监控报告》

本周态势快速感知 本周全球共监测到勒索事件81起&#xff0c;事件数量有所下降&#xff0c;比上月降低20%。 lockbit3.0仍然是影响最严重的勒索家族&#xff1b;akira和incransom也是两个活动频繁的恶意家族&#xff0c;需要注意防范。 本周alphv勒索组织窃取MBC法律专业公司…

LangChain 最近发布的一个重要功能:LangGraph

LangGraph 是 LangChain 最近发布的一个重要功能&#xff0c;LangChain 进入多代理框架领域。通过建立在LangChain 之上&#xff0c;LangGraph 使开发人员可以轻松创建强大的代理运行时。 LangChain 使用其表达语言&#xff08;LCEL&#xff09;为开发人员构建定制链提供技术支…

MySQL之库操作和字符集

华子目录 MySQL库操作查看库创建数据库查看创建的数据库查看警告 删除数据库切换数据库显示当前数据库的变量值信息MySQL行格式行格式介绍显示行格式信息查看当前使用的数据库查看当前数据库版本查看当前用户查看所有用户查看MySQL支持的存储引擎显示当前数据库中所有表执行系统…

基于ESP-WROOM-32的双串口通信并显示到OLED显示屏上

目录 开发板引脚图 Arduino环境配置1.ESP32开发版下载2.Arduino开发板选择 -> ESP32 Dev Module3.安装驱动库 接线图Arduino代码现象演示 开发板 ESP-WROOM-32 引脚图 Arduino环境配置 1.ESP32开发版下载 选择 esp32 by Espressif Systems 2.Arduino开发板选择 -> E…

网络爬虫,使用存放在C的谷歌驱动报错

月 06, 2024 11:43:40 上午 org.openqa.selenium.os.OsProcess checkForError 严重: org.apache.commons.exec.ExecuteException: Execution failed (Exit value: -559038737. Caused by java.io.IOException: Cannot run program "C:\chromedriver121.exe" (in dir…

百面嵌入式专栏(面试题)进程管理相关面试题1.0

沉淀、分享、成长,让自己和他人都能有所收获!😄 📢本篇我们将介绍进程管理相关面试题 。 一、进程管理相关面试题 进程是什么?操作系统如何描述和抽象一个进程?进程是否有生命周期?如何标识一个进程?进程与进程之间的关系如何?Linux操作系统的进程0是什么?Linux操…

2023年12月CCF-GESP编程能力等级认证Python编程六级真题解析

Python等级认证GESP(1~6级)全部真题・点这里 一、单选题(共15题,共30分) 第1题 通讯卫星在通信网络系统中主要起到( )的作用。 A:信息过滤 B:信号中继 C:避免攻击 D:数据加密 答案:B 第2题 小杨想编写一个判断任意输入的整数N是否为素数的程序,下面哪个方法…

Unity类银河恶魔城学习记录2-1.2.3.4.5 背景和摄像机相关设置 P42-p45

Alex教程每一P的教程原代码加上我自己的理解初步理解写的注释&#xff0c;可供学习Alex教程的人参考 此代码仅为较上一P有所改变的代码 【Unity教程】从0编程制作类银河恶魔城游戏_哔哩哔哩_bilibili ParallaxBackground.cs using System.Collections; using System.Collect…

Leetcode刷题笔记题解(C++):590. N 叉树的后序遍历

思路&#xff1a;类似于二叉树的排序&#xff0c;这里需要将子树进行依次递归遍历&#xff0c;前序遍历也与之类似 /* // Definition for a Node. class Node { public:int val;vector<Node*> children;Node() {}Node(int _val) {val _val;}Node(int _val, vector<N…