如何在C ++中存储另一个向量中一个向量的对象引用?

时间:2016-07-01 12:39:40

标签: c++ pointers reference shared-ptr unique-ptr

我有一个向量std::vector<MyClass> myclass_vec(10),其中包含10个初始化对象MyClass。现在我想循环遍历此向量并存储对另一个向量MyClass中的每个std::vector<MyClass> myclass_vec_refs对象的引用。我想存储引用的原因是因为我不必复制对象,显然,引用与myclass_vec中相同的对象。

出于某种原因,这并没有像预期的那样成功。我必须这样声明std::vector<&MyClass> myclass_vec_refs吗?

当我查看其他问题时,我读到了std::unique_ptr。如果我更改std::vector<std::unique_ptr<MyClass>> myclass_vec(10),那么我就无法在myclass_vec_refs中拥有引用或指针,因为它们被声明为唯一。如果我错了,请告诉我。

另一种方法是使用std::shared_ptr。由于它拥有一个引用计数器,我可以myclass_vec_refs指向myclass_vec中的对象,但我读到这会引入相当多的开销,而share_ptr应该只作为最后的手段使用。

我也不知道引用是否像我尝试的那样。如果myclass_vec中的对象被删除会怎样? myclass_vec_refs向量是否重新调整为-1,因为对象不再存在或仅指向坏内存?

emplace_back向量中的引用是否可以myclass_vec_refs?由于这会就地创建对象,我猜这不起作用,只能使用push_back

2 个答案:

答案 0 :(得分:1)

不能制作参考文献。 为什么呢?

引用必须始终引用实际对象,并且设计向量必须能够为您动态创建“空”对象(即默认构造函数)。

但是,您可以创建一个指针向量。

如果以任何方式修改了另一个向量,则指针将变为无效。 如果您遇到问题,请改为使用地图设置

答案 1 :(得分:1)

在这里回答:Strange Template Deduction

诀窍是使用std::reference_wrapper<>

#include <algorithm>
#include <iostream>
#include <vector>

template<typename container_ty_, class Comp>
auto where(container_ty_& V, Comp&& comp)
{
    using value_type = typename container_ty_::value_type;
    using reference =
    std::conditional_t<
      std::is_const<container_ty_>::value,
        std::reference_wrapper<const value_type>,
        std::reference_wrapper<value_type>
    >;

    std::vector<reference> cursor;

    for(auto& VAL : V)
        if(comp(VAL))
            cursor.push_back(VAL);

    return cursor;
}

int main(int argc, char** argv) {
    std::vector<int> tVect = {0, 5, 2, 1, 7, 9};

    //Why must std::vector<int> be passed...
    auto vec = where(tVect, [](const int& V) -> bool { return V > 5; });

    std::for_each(vec.begin(), vec.end(), [] (int& v) { std::cout << v++ << std::endl; });
    std::cout << std::endl;
    std::for_each(tVect.begin(), tVect.end(), [](const int& v) { std::cout << v << std::endl; });
}