2个向量对象指向相同的已分配内存

时间:2012-11-12 09:39:05

标签: c++ vector copy

在C ++中,如何制作指向同一分配内存的现有向量的副本?

例如:

vector<int> o1;
o1.push_back(1);

vector<int> o2;
//Make o2 share same memory as o1
o2[0]=2;

cout << o1[0]; //display 2
编辑:我还没有明确目标:如果o1在堆上被分配并被销毁,我怎样才能创建一个对象o2,它指向与o1相同的已分配内存以使其保持在o1之外范围?

2 个答案:

答案 0 :(得分:2)

使o2引用o1

std::vector<int> &o2 = o1;

答案 1 :(得分:0)

有一个boost::shared_array模板。

然而,它共享固定大小的数据数组,您无法修改大小。

如果您想共享可调整大小的矢量,请使用

boost::shared_ptr< vector< int > >

您还可以将swap向量记忆转换为不同的向量。

{
   std::vector< int > o1; // on the stack
     // fill o1
   std::vector< int > * o2 = new std::vector< int >; // on the heap
   o2->swap( o1 );
    // save o2 somewhere or return it
} // o2 now owns the exact memory that o1 had as o1 loses scope

C++11将引入“移动”语义,允许您将实际内存保留在o1中std::move

std::vector<int> && foo()
{
      std::vector<int> o1;
       // fill o1
      return std::move( o1 );
}


// from somewhere else
std::vector< int > o2( foo() );