3

为了减少复制/粘贴相同代码的繁重工作,我转向黑暗面并使用宏来为我做这件事。

请记住,它来自的生产代码要大得多,如果没有像这样的宏来帮助,任务会更加痛苦。具体来说,它是由单个字符串驱动的静态和虚拟函数的混合体。

现在我知道宏会给你带来麻烦,并且以这种方式使用它们非常“臭”,所以我想要更好的东西,但我无法想出像这样简单和简洁的东西:

#define LAZY(name)\
   static const char * identify() { return name; }\
   virtual const char * getName() { return identify(); }

class A{
public:
   LAZY("class A")

   void foo(){
      std::cout << getName() << std::endl;
   }
};

class B: public A{
public:
   LAZY("class B")
};

std::string somevar( B::identify() );

int main(void){
   B b1;
   B.foo();
}

我采取的其他一些方法(以及它们失败的原因)如下:

template<class T>
class Base{
public:
   virtual const char * getName(){ return T::identify(); }

   // All other functions driven by string. IE:
   static void register(){ someFactory::reg( T::identify() ); }
   virtual unsigned int getHash(){ return someHashFoo( T::identify() ); }
};

class A: public Base<A> {
public:
   static const char * idenfity(){ return "class A"; }

   void foo(){ std::cout << getname() << std::endl; }
};

class B: public A, public Base<B> {
  // Conflict due to multi-inheritance.
};

另一种由于每个实例浪费内存而失败的方法,而且有点复杂:

class FaceBase{
public:
   virtual const char * getName() =0;
};

template<class T>
class ImplBase: public FaceBase {
public:
   virtual const char * getName(){ return T::identify(); }
};

class A{
public:
   FaceBase & common;

   static const char * identify(){ return "class A"; }

   A(): common(ImplBase<A>()){}

   virtual void foo(){ std::cout << common.getName() << std::endl; }
};

class B: public A{
   static const char * identify(){ return "class B"; }

   B(){ common = ImplBase<B>(); }
};
4

1 回答 1

6

您实际上并没有问任何问题,而是假设它是“我如何在没有宏的情况下以干净的方式做到这一点?”,并进一步假设您所指的“更大”任务是一个完整的自定义 RTTI 系统,答案是“你不能”。

我所知道的每个做这种事情的大项目(MFC、Qt、LLVM)都会做以下事情之一:

  • 使用宏。(MFC 和某种程度上的 Qt)
  • 使用自定义代码生成器。(Qt 和某种程度上的 LLVM)
  • 编写样板代码。(LLVM)
于 2013-06-27T16:00:11.390 回答