8

如何从基类中打印出派生类名称,而无需一直链接构造函数。换句话说,是否可以从基类严格执行此操作,而无需在每个派生类中添加代码?

这是我得到的一个例子,如果有一种方法我想摆脱构造函数链接。

编辑: 理想情况下,我正在寻找一些东西来添加到基类中,而不必编辑所有派生类。目前我的真实代码有大约 17 个类(需要更多类),所以可以直接从基类完成工作的东西是理想的。即使它是特定于编译器的(g++ 或 clang)。

#include <iostream>

class Base {
public:
    Base(std::string id) {
            std::cout<<"Creating "<<id<<std::endl;
    }
};

class Child : Base {
public:
    Child(std::string id) : Base(id) {}
    Child() : Base(typeid(this).name()) {}
};

class GrandChild : Child {
public:
    GrandChild(std::string id) : Child(id) {}
    GrandChild() : Child(typeid(this).name()) {}
};

class GrandGrandChild : GrandChild {
public:
    GrandGrandChild(std::string id) : GrandChild(id) {}
    GrandGrandChild() : GrandChild(typeid(this).name()) {}
};



int main() {
    GrandGrandChild *A = new GrandGrandChild();
    GrandChild *B = new GrandChild();
    Child *C = new Child();

    return 0;
}

哪个打印:

Creating GrandGrandChild
Creating GrandChild
Creating Child

但是编译后添加了前缀。

4

3 回答 3

10

不幸的是,没有简单的解决方案。

问题是构造多态对象是相当复杂的,在你构建Base一个Child类的子部分的那一刻,你正在构建一个Base静止的,而不是一个Child(因为试图访问Child成员是没有意义的,它们还没有被构建! )

因此,所有检索动态信息(称为 RTTI 或运行时类型信息)的方法都被自愿锁定以防止此类错误。

出于对称原因,析构函数中也会出现同样的情况。


现在,只有构造函数和析构函数被如此锁定,因此您可以完美地拥有一个在所有其他情况下name()愉快地返回实例的动态类型的真实名称的方法:

class Base {
public:
    std::string name() const { return typeid(*this).name(); }
};

它会工作......除非你从构造函数或析构函数调用它,在这种情况下它将报告静态类型。

现在,就“奇怪”的输出而言,每个实现(编译器)都可以在这里提供自己的输出(而且对于不同的类型,它们甚至不需要不同,太疯狂了!)。您似乎正在使用 gcc 或 clang。

demanglers可以解释这样的输出,或者如果你的程序足够简单并且它们的界面让你害怕,你可以简单地尝试手动解析它以去除杂物。类的名称应该完全出现,它只会在前面加上一些废话(本质上是命名空间和数字)。

于 2012-06-05T11:15:54.513 回答
0

由于您指出这是为了调试,您可以依靠虚拟继承来避免将名称传递给所有中间派生类,而是将其直接传递给Base. 此外,Base可以修改为采用模板构造函数来简化派生类的事情。

class Base {
public:
    template <typename DERIVED>
    Base (DERIVED *d) {
        std::cout << "Creating " << typeid(*d).name() << std::endl;
    }
};

class Child : virtual public Base {
public:
    Child () : Base(this) {}
};

class GrandChild : public Child, virtual public Base {
    GrandChild () : Base(this) {}
}

class GrandGrandChild : public GrandChild, virtual public Base {
    GrandGrandChild () : Base(this) {}
}
于 2012-06-05T10:03:43.207 回答
0

您可以提供需要从每个构造函数调用的初始化函数。

class Base {
protected:
  Base() { init(typeid(this).name()); }
  void init(std::string id) {
    std::cout<<"Creating "<<id<<std::endl;
  }
};

您需要以某种方式确保后续初始化将安全地取代先前初始化的更改:

Creating P4Base
Creating P5Child
Creating P10GrandChild
Creating P15GrandGrandChild
Creating P4Base
Creating P5Child
Creating P10GrandChild
Creating P4Base
Creating P5Child

我打算将它纯粹用于调试目的,这就是为什么将一些东西放入基类会很方便的原因。

您是否考虑过在代码中添加一个宏来打印调试输出?

#ifdef DEBUG
  #define PRINT_CLASSNAME std::cout<<"Creating "<<id<<std::endl;
#else
  #define PRINT_CLASSNAME ;
#endif

您需要将它添加到您的构造函数一次,但如果您想(暂时)禁用它,您只需取消定义它?

于 2012-06-05T10:15:02.737 回答