0

不幸的是,我正在使用 c++98。

template <class bT>
class Creator
{
public:
   virtual bT* create()  = 0;
};

template <class bT>
struct CreatorPtr
{
    typedef boost::shared_ptr< Creator<bT> > ptr;
};

template <class bT, class cT>
class CreatorImpl : public Creator<bT>
{
public:
   virtual bT* create() { return new cT; }
};

template <class bT>
class Factory
{
public:
    virtual bT* create(const std::string& name) = 0;
    virtual ~Factory() { _table_creator.clear(); }
protected:
    Factory() {}
    Factory(const Factory&) {}
    Factory &operator=(const Factory&) { return *this; }
    void registerCreator(const std::string& name, typename CreatorPtr<bT>::ptr creator)
        { _table_creator[name] = creator; }
    typedef std::map<std::string, typename CreatorPtr<bT>::ptr> tableCreator;
    typedef typename tableCreator::const_iterator citerTc;
    ......
protected:
    tableCreator _table_creator;
};

我有错误

“错误:“typedef typename tableCreator::const_iterator citerTc;”上的“tableCreator”之前的预期嵌套名称说明符;” 线。我正在使用 4.1.2 g++。”

对不起大家,我这里漏掉了typename"pointed by syam",删掉了citerTc定义中的模板。现在代码编译并运行良好。感谢大家的帮助。

4

1 回答 1

3

由于您有一个合格的依赖类型名称,因此您需要使用typename消歧器来告诉编译器将后面的内容解释::为类型的名称(而不是数据成员):

    typename CreatorPtr<bT>::ptr // ptr is the name of a type, so you need
//  ^^^^^^^^                     // to use the "typename" keyword in order
                                 // to let the compiler parse it correctly

例如:

void registerCreator(const std::string& name,
                     typename CreatorPtr<bT>::ptr creator)
//                   ^^^^^^^^

相似地:

typedef std::map<std::string, typename CreatorPtr<bT>::ptr> tableCreator;
//                            ^^^^^^^^
于 2013-05-06T15:16:14.733 回答