0

我有一个小程序的问题。我希望你能睁开我的眼睛。

我有一个类“User”,其中“name”作为类成员和“toString()”方法:

class User
{
protected:
        string name;
public:
        User(){}
        User(string name) { this->name = name; }
        virtual string toString() const { return name; }
};

我有另一个类“Employee”,它扩展了 User,它还包括一个“id”并重载了“toString()”方法:

class Employee : public User
{
private:
        string id;
public:
        Employee(string name, string id) : User(name) { this->id = id;}
        string toString() const { return "("+id+")"+name; }
};

好吧,现在我有另一个类,“堆栈”,其中包含一组用户(用户对象,而不是用户指针):

class Stack
{
private:
        User *stack;
        int sp;
        int size;
public:
        Stack(int size){this->size = size; stack = new User[size]; sp = 0;}

.
.
.

问题是这样的:

Stack s(10);
Employee e1("pepito", "1234");

cout << e1.toString(); // PRINTS (1234)pepito -> ITS OK

s.push(e1);
cout << s.pop().toString(); // PRINTS pepito -> WRONG (it uses the toString method of the super class).

我想,我可能会得到这个结果,因为:

  • 存储对象而不是指针或对象引用。
  • 在这一行中:stack = new User[size],它调用了 User 的默认构造函数(我必须显式编写,我不知道这是否正确)。
4

1 回答 1

1

我想,我可能会得到这个结果,因为:

  • 存储对象而不是指针或对象引用。

正确的。您正在动态分配一个 s 数组User。该数组中的对象只能是Users,不能是别的。他们从来都不Employee是 s。要在 C++ 中获得多态行为,您需要使用指向User.

于 2013-05-01T22:08:19.097 回答