我有一个名为Variable的基类:

class Variable
{
protected:
    std::string name;
public:
    Variable(std::string name="");
    Variable (const Variable& other);
    virtual ~Variable(){};
};

我有几个派生类,例如Int,Bool,String等。例如:
class Bool: public Variable{
private:
    bool value;

public:
    Bool(std::string name, bool num);
    ~Bool();
    Bool (const Bool& other);
    bool getVal();

每个派生类都有一个名为getVal()的方法,该方法返回不同的类型(bool,int等)。我想允许变量类的多态行为。
我尝试了:void getVal();似乎出错,编译器显示了一个错误:shadows Variable::getVal()听起来很糟糕。
我想到了使用template <typename T> T getVal();,但没有帮助。

有什么建议么?我必须为此使用强制转换吗?

非常感谢...

最佳答案

can't overload by return type。我认为模板在您的情况下会更好。这里不需要多态或继承:

template<class T>
class Variable {
protected:
    T value;
    std::string name;
public:
    Variable(std::string n, T v);
    Variable (const Variable& other);
    virtual ~Variable(){};
    T getVal();
};

用法是pretty simple:
Variable<bool> condition("Name", true);
Variable<char> character("Name2", 'T');
Variable<unsigned> integer("Name3", 123);
std::cout << condition.getVal() << '\n';
std::cout << character.getVal() << '\n';
std::cout << integer.getVal() << '\n';

10-07 12:06