我正在编写一个表达式解析库。
它是用Qt编写的,并且我有一个像这样的类结构:QCExpressionNode-表达式所有部分的抽象基类QCConstantNode-表达式中的常量(扩展QCExpressionNode)QCVariableNode-表达式中的变量(扩展QCExpressionNode)QCBinaryOperatorNode-二进制加法,减法,乘法,除法和幂运算符(扩展了QCExpressionNode)

我希望能够使用智能指针(例如QPointerQSharedPointer),但是我遇到了以下挑战:
-QPointer可以与抽象类一起使用吗?如果是这样,请提供示例。
-如何将QPointer转换为具体的子类?

最佳答案

我看不出您无法执行此操作的任何原因。举个例子:

class Parent : public QObject
{
public:
   virtual void AbstractMethod() = 0;
};

class Child: public Parent
{
public:
   virtual void AbstractMethod() {  }

   QString PrintMessage() { return "This is really the Child Class"; }
};

现在像这样初始化一个QPointer:
QPointer<Parent> pointer = new Child();

然后,您可以像通常使用QPointer一样在“抽象”类上调用方法
pointer->AbstractMethod();

理想情况下就足够了,因为您可以使用父类中定义的抽象方法访问所需的所有内容。

但是,如果确实需要区分子类或使用仅存在于子类中的内容,则可以使用dynamic_cast。
Child *_ChildInstance = dynamic_cast<Child *>(pointer.data());

// If _ChildInstance is NULL then pointer does not contain a Child
// but something else that inherits from Parent
if (_ChildInstance != NULL)
{
   // Call stuff in your child class
   _ChildInstance->PrintMessage();
}

希望对您有所帮助。

附加说明:您还应该检查pointer.isNull(),以确保QPointer实际上包含某些内容。

10-08 08:28