从已存储派生类的基类的向量实例化unique_ptr到派生类

时间:2018-12-12 14:18:59

标签: c++ oop c++11 inheritance unique-ptr

考虑以下代码:

struct  Fruit
{
   Fruit() {}
   virtual ~Fruit() {}       
   std::string name;
};

struct Banana : public Fruit
{
   std::string color;
};

struct Pineapple : public Fruit
{
   int weight;
};

这是我的main():

int main()
{
    std::vector<std::unique_ptr<Fruit>> product;
    product.push_back(std::unique_ptr<Banana>(new Banana)); //product[0] is a Banana
    product.emplace_back(new Pineapple);

    // I need to acess the "color" member of product[0]
    std::unique_ptr<Banana> b = std::move(product[0]); // this doesn't work, why?
    auto c = b->color;
}

product[0]中,我将一个unique_ptr存储到香蕉中,为什么不能将其分配给香蕉unique_ptr?

2 个答案:

答案 0 :(得分:1)

您需要显式转换,因为第一个产品可以是任何水果...编译器不知道该水果是香蕉还是菠萝。

正如@IgorTandetnik所说,您可以这样做:

std::unique_ptr<Banana> b{static_cast<Banana*>(product[0].release())};

release()一起使用static_cast

Live demo

注意:您不能退一步使用auto作为b,因为编译器会选择struct Fruit作为类型,以便为任何子类做准备。

答案 1 :(得分:1)

您不希望所有权转移,因此仅投射指针:

auto& banana = dynamic_cast<Banana&>(*product[0]);
auto c = b->color;
如果您确实确定dynamic_cast确实是static_cast,则可以用Fruit代替

Banana。 万一您错了,static_cast会导致UB,而您可以使用dynamic_cast检查有效性(强制类型转换为引用或空指针类型转换为指针)。