这可能是因为我不完全理解 C++ 中的接口是如何工作的,但我们开始吧:
我有 QT5 中属性类的基本接口。
class IBaseProperty
{
public:
virtual ~IBaseProperty() {}
// Returns the property key as a string.
virtual QString getKey() = 0;
// Returns the property value as a raw string.
virtual QString getValueRaw() = 0;
// Sets the property key as a string.
virtual void setKey(QString key) = 0;
// Sets the property value as a raw string.
virtual void setValueRaw(QString value) = 0;
};
我还有一个模板化的接口扩展,可以更轻松地对处理更多特定数据类型的属性进行子类化。
template <class T>
class IProperty : public IBaseProperty
{
public:
virtual ~IProperty() {}
// Classifies a property with a Property_t identifier.
virtual Property_t getPropertyType() = 0;
// Returns the property value as the specified type.
// Bool is true if conversion was successful.
virtual T getValue(bool* success) = 0;
// Sets the property value as the specified type.
virtual void setValue(T value) = 0;
// Returns whether the current value can be converted correctly
// to the specified type.
virtual bool canConvert() = 0;
};
我的基本属性(仅实现 IBaseProperty)如下所示:
class BaseProperty : public QObject, public IBaseProperty
{
Q_OBJECT
public:
explicit BaseProperty(QObject *parent = 0, QString key = "", QString value = "");
virtual QString getKey();
virtual QString getValueRaw();
public slots:
virtual void setKey(QString key);
virtual void setValueRaw(QString value);
protected:
QPair<QString, QString> m_Property; // KV pair this property holds.
};
我将其子类化以创建一个字符串属性 - 显然基本属性可以只返回字符串,但我想在字符串/int/float/etc 之间保持相同的函数格式。通过在所有属性中允许 getValue 来获得属性。在这种情况下,GetValue 只是调用 getValueRaw 来返回值。
class StringProperty : public BaseProperty, public IProperty<QString>
{
Q_OBJECT
public:
explicit StringProperty(QObject *parent = 0, QString key = "", QString value = "");
virtual inline Property_t getPropertyType() { return Prop_String; }
virtual QString getValue(bool* success);
virtual bool canConvert();
public slots:
virtual void setValue(QString value);
};
当我实现 getValue 和 setValue 时会出现歧义:
inline QString StringProperty::getValue(bool* success)
{
*success = canConvert();
return getValueRaw(); // This line causes the ambiguity.
}
编译器抱怨:
C2385:“getValueRaw”的不明确访问:可能是基本“BaseProperty”中的“getValueRaw”,也可能是基本“IBaseProperty”中的“getValueRaw”。
我不完全确定在这种情况下该怎么做 - 我原以为 IBaseProperty 是一个纯虚拟类意味着无论如何都无法从这一点调用该函数,因此只能从它所在的位置调用实施(基本属性)。解决此问题的正确措施是什么?我不确定我应该从哪个基类调用该函数。