0

有人可以解释为什么i->value()(i + 1)->value()打印 1 和 3 而不是 1 和 4 x[0]->value() << x[1]->value()

#include <iostream>
#include <vector>

class A
{
public:
    A(int n = 0) : m_n(n) { }

public:
    virtual int value() const { return m_n; }
    virtual ~A() { }

protected:
    int m_n;
};

class B
    : public A
{
public:
    B(int n = 0) : A(n) { }

public:
    virtual int value() const { return m_n + 1; }
};

int main()
{
    const A a(1); //a.m_n=1
    const B b(3); //b.m_n=3
    const A *x[2] = { &a, &b };
    typedef std::vector<A> V;
    V y;
    y.push_back(a);
    y.push_back(b);
    V::const_iterator i = y.begin();

    std::cout << x[0]->value() << x[1]->value()
              << i->value() << (i + 1)->value() << std::endl;

    return 0;
}

谢谢

4

2 回答 2

5

y.push_back(b);创建一个实例,该实例是 中的子对象A的副本,并将其推送到向量上。向量上没有的实例,也不可能有,所以不被调用。阅读对象切片AbBB::value()

于 2013-08-10T15:01:37.387 回答
3
void push_back (const value_type& val);

如果向量定义为 ,将创建 的A副本。你在这里看到所谓的切片问题。这就是为什么你应该使用valstd::vector<A> V

std::vector<A*> V

或者

std::vector<shared_ptr<A> > V
于 2013-08-10T15:15:18.910 回答