多态的静态绑定(CRTP手法)

梦想游戏人
目录:
C/C++

Curiously Recurring Template Pattern (CRTP手法)

原理很简单

通过模板函数 的强制转换调用子类同名函数,来模拟多态的动态绑定,实现和虚函数一样的功能,并且避免了动态绑定所带来的性能开销

template <class T>
class A
{
public:
	void func(){ ((T*)this)->funcImpl(); };
	void funcImpl(){}
};

class B:public A<B>
{
public:
	void funcImpl(){ cout << __FUNCTION__ << endl; }
};



int main(int argc, char *argv[])
{
 
	A<B> *a = new B;
	a->func();

	system("pause");
	return 0;
}

虽然模拟了一部分场合的虚函数的功能,但也不能完全替代虚函数来实现多态,因为这是模板,子类类型早已经决定了,有点类似语法糖

Scroll Up