C++智能指针unique_ptr

unique_ptr提供了以下操作:
C++智能指针unique_ptr
1. 构造函数
C++智能指针unique_ptr

虽然这里的构造函数比较多,但是可以发现,实际上是没有拷贝构造和=操作符重载:

void foo_constuct()
{
    //这样构造是可以的
    std::unique_ptr<int> p(new int(3));

    //空构造
    std::unique_ptr<int> p4;

    //下面三种写法会报错
    std::unique_ptr<int> p2 = p;
    std::unique_ptr<int> p3(p);
    p4 = p;

}

因此,这就从根源上杜绝了参数传递的写法了。

2. reset

reset的用法:

void foo_reset()
{
    //释放
    int* pNew = new int(3);
    int*p = new int(5);
    {
        std::unique_ptr<int> uptr(pNew);
        uptr.reset(p);

    }
}

3.release

release与reset一样,也不会释放原来的内部指针,只是简单的将自身置空。

void foo_release()
{
    //释放
    int* pNew = new int(3);
    int* p = NULL;
    {
        std::unique_ptr<int> uptr(pNew);
        p = uptr.release();
    }
}

C++智能指针unique_ptr

4.move

但是多了个move的用法:

void foo_move()
{
    int* p = new int(3);
    
    std::unique_ptr<int> uptr(p);
    std::unique_ptr<int> uptr2 = std::move(uptr);
    
}

因为unique_ptr不能将自身对象内部指针直接赋值给其他unique_ptr,所以这里可以使用std::move()函数,让unique_ptr交出其内部指针的所有权,而自身置空,内部指针不会释放。

C++智能指针unique_ptr

5.数组

可以采用move的方法来使用数组。

直接使用仍然会报错:

void foo_ary()
{
    std::vector<std::unique_ptr<int>> Ary;
    std::unique_ptr<int> p(new int(3));
    Ary.push_back(p);

    printf("%d\r\n", *p);

}

C++智能指针unique_ptr

但是可以采用move的办法,这样就编译通过了:

void foo_ary()
{
    std::vector<std::unique_ptr<int>> Ary;
    std::unique_ptr<int> uptr(new int(3));
    Ary.push_back(std::move(uptr));

    printf("%d\r\n", *uptr);

}

但是因为uptr的语义,所以作为参数传递了, 转移了内部指针的所有权,原来的uptr就不能使用了。

C++智能指针unique_ptr

所以综上,unique_ptr指的是只有一个对象拥有指针的所有权,可以转移,但是不能直接赋值或者拷贝构造。

所有示例代码如下:

// testUniqueptr.cpp : 定义控制台应用程序的入口点。
//

#include "stdafx.h"
#include <iostream>
#include <memory>
#include <vector>

void foo_constuct()
{
    //这样构造是可以的
    std::unique_ptr<int> p(new int(3));

    //空构造
    std::unique_ptr<int> p4;

    //下面三种写法会报错
//  std::unique_ptr<int> p2 = p;
//  std::unique_ptr<int> p3(p);
//  p4 = p;

}

void foo_reset()
{
    //释放
    int* pNew = new int(3);
    int*p = new int(5);
    {
        std::unique_ptr<int> uptr(pNew);
        uptr.reset(p);

    }
}

void foo_release()
{
    //释放
    int* pNew = new int(3);
    int* p = NULL;
    {
        std::auto_ptr<int> uptr(pNew);
        p = uptr.release();
    }
}



void foo_move()
{
    int* p = new int(3);
    std::unique_ptr<int> uptr(p);
    std::unique_ptr<int> uptr2 = std::move(uptr);
}

void foo_ary()
{
    std::vector<std::unique_ptr<int>> Ary;
    std::unique_ptr<int> uptr(new int(3));
    Ary.push_back(std::move(uptr));

    printf("%d\r\n", *uptr);

}


int _tmain(int argc, _TCHAR* argv[])
{
    foo_ary();




    return 0;
}
上一篇:Redis06:Redis新数据类型:Bitmaps、HyperLogLog、Geospatial


下一篇:Redis从入门到精通-Redis新数据类型