在C ++中通过模板参数传递类构造函数

时间:2012-01-07 13:06:52

标签: c++ templates constructor initializer-list

我知道函数可以通过template参数,我可以像这样传递类构造函数。

更新 我想要这样做的全部原因是,我可以在内存池中选择构造函数,并且在我想要分配的类中没有任何代码更改(在这种情况下为class A

class A
{
public:
  A(){n=0;}
  explicit A(int i){n=i;}

private:
  int n;
};

class MemoryPool
{
public:
   void* normalMalloc(size_t size);
   template<class T,class Constructor>
   T* classMalloc();
};

template<class T,class Constructor>
T* MemoryPool::classMalloc()
{
   T* p = (T*)normalMalloc(sizeof(T));
   new (p) Constructor; // choose constructor
   return p;
}

MemoryPool pool;
pool.classMalloc<A,A()>(); //get default class
pool.classMalloc<A,A(1)>();

3 个答案:

答案 0 :(得分:5)

你不能传递构造函数,但你可以传递工厂函子:

class A
{
    int n;

    A(int i) : n(i) {};

public:

    static A* makeA(int i)
    {
        return new A(i);
    }
};

template<typename T, typename Factory>
T* new_func(Factory factory)
{
    return factory();
}

#include <functional>

int main()
{
    new_func<A>(std::bind(&A::makeA, 0));
    new_func<A>(std::bind(&A::makeA, 1));
}

答案 1 :(得分:4)

你的整个假设是错误的。您不需要该功能。

template<class T>
T* new_func()
{
   return new T;
}

new之后的东西是类型,而不是构造函数引用。

答案 2 :(得分:0)

这种方式我觉得更好

template<class T, int n>
struct Factory
{
  static T* new_func()
  {
     return new T(n);
  }
};

template<class T>
struct Factory<T,0>
{
  static T* new_func()
  {
     return new T;
  }
};

T* t = Factory<T>::new_func(); //call default constructor
T* t2 = Factory<T,2>::new_func(); //call constructor T(2)