类似 vector,智能指针也是模板。因此,当定义智能指针时,必须在尖括号内给出类型,如下所示:

shared_ptr<string> p1; // shared_ptr,可以指向string类型的对象
shared_ptr<list<int>> p1; // shared_ptr,可以指向int类型的list的对象

简单例子 1:

#include<iostream>
#include<vector>

int main(){
std::shared_ptr<std::string> p1 = std::make_shared<std::string>("hello");
auto p2 = std::make_shared<int>(100); // 表示指针 p2 可以指向 int 类型的对象
std::cout << *p1 << std::endl;
std::cout << *p1 << std::endl;

std::vector<int> list = {1, 2, 3};
list.push_back(9);
for (auto item : list){
std::cout << item << " ";
}
}

输出:

hello
100
1 2 3 9

例子2

#include <iostream>
#include <map>
#include <string>

int main()
{

std::shared_ptr<std::pair<std::string,int>> a = std::make_shared<std::pair<std::string,int>> ("A",1);
auto b = std::make_shared<std::pair<std::string,int>> ("B",2);

std::cout << a->first << ' ' << a->second << '\n';
std::cout << b->first << ' ' << b->second << '\n';

return 0;
}

输出:

A 1
B 2

例子3

指向结构体类型的指针

#include <iostream>
#include <string>
using namespace std;

struct structA{
public:
int data = 11;
std::shared_ptr<int> sub_ptr = std::make_shared<int>(data);

};

std::shared_ptr<int> func(std::shared_ptr<structA> ptr){
return ptr->sub_ptr; // 返回的是 sub_ptr 的类型

}

int main(){
// std::shared_ptr<structA> pA = std::make_shared<structA>(); // 也可以
auto pA = std::make_shared<structA>();
auto p2 = func(pA);
cout<< *p2 <<endl;

structA obj;
int res = obj.data;
cout<< res << endl;

//创建结构体指针变量
structA *p3 = &obj;
cout<< p3->data << " " << *(p3->sub_ptr) << endl;

return 0;
}

输出:

11
11
11 11

参考:

  1. ​[C++11新特性] 智能指针详解​