我正在编写存储函数指针以创建用户对象的模板工厂。
我想支持带参数和不带参数的用户创建函数(现在,一个或零个参数就可以了)。(不幸的是,我不能使用 boost 或 c11 )
template< typename T, typename K, typename D >
//T (Type) is a polymorphic type
//K (Key) should have operator < and be copyable
//D (Data argument for creator function) can be copyable
class Factory
{
public:
typedef std::tr1::shared_ptr<T> shared_ptr;
//auto gen Ctor and Dtor
inline void Add( const K& key_, T* (*CreatorFunc)(D) );
inline shared_ptr Create(const K& key_, const D& initData_ ) const;
private:
std::map<K, T* (*)(D) > m_creator;
};
如果用户可以像这样使用它,我会喜欢它:
class c1
{
public:
explicit c1(const string& st);
...
};
class c2
{
public:
explicit c2();
...
};
c1* CreateC1(const string& st){ return new c1(st);}
c2* CreateC2(){ return new c2;}
...
//Factory<type, key, arguments>
Factory<c1, int, string> f;
f.Add(0, CreateC1);
f.Create(0, "string Arg");
//Factory<type, key>
Factory<c2, int> f2;
f2.Add(0, CreateC2);
f2.Create(0);
我确实设法让它与一些丑陋的模板专业化一起工作。我觉得我走错路了。
我的解决方案:
class EmptyClass {};
template< typename T, typename K, typename D = EmptyClass>
class Factory
{
public:
typedef std::tr1::shared_ptr<T> shared_ptr;
inline void Add( const K& key_, T* (*CreatorFunc)(D) );
inline shared_ptr Create(const K& key_, const D& initData_ ) const;
private:
std::map<K, T* (*)(D) > m_creator;
};
template<>
template< typename T, typename K >
class Factory<T, K, EmptyClass >
{
public:
typedef std::tr1::shared_ptr<T> shared_ptr;
inline void Add( const K& key_, T* (*CreatorFunc)() );
inline shared_ptr Create(const K& key_) const;
private:
std::map<K, T* (*)() > m_creator;
};
如果您愿意,请随时批评其他任何事情