类型引用
以下是引用片段: template class Foo { typedef T::SomeType SomeType; };
这段代码在VC++中一点问题也没有,但是GCC并不允许,因为它不知道T::SomeType是什么。你需要改为:
以下是引用片段: template class Foo { typedef typename T::SomeType SomeType; };
通过typename T::SomeType告诉GCC,SomeType是一个类型名,而不是其他东西。
当然,这种情况不只是出现在typedef中。例如:
以下是引用片段: template void visit(const Container& cont) { for (Container::const_iterator it = cont.begin(); it != cont.end(); ++it) ... }
这里的Container::const_iterator同样需要改为typename Container::const_iterator。 基类成员引用
以下是引用片段: template class Foo : public Base { public: void foo() { base_func(); m_base_member = 0; } };
这段代码在VC++中同样没有问题,但是GCC中不能通过。因为GCC并不知道base_func,m_base_member是什么。对于这个问题,你可以有两种改法:
改法1:加上域作用符Base::
以下是引用片段: template class Foo : public Base { public: void foo() { Base::base_func(); Base::m_base_member = 0; } };
改法2:使用using指示符
以下是引用片段: template class Foo : public Base { public: using Base::base_func; using Base::m_base_member; void foo() { base_func(); m_base_member = 0; } };
这两种方法各有好处,在class Foo中出现大量的Base::base_func、m_base_member的引用时,使用using是方便的。而如果只有一次,那么方法1显得简短。 交叉引用许可
以下是引用片段: class SomeClass; template class Foo { public: void foo(SomeClass& a) { a.some_func(); } void foo2() { SomeClass a; a.some_func(); } }; class SomeClass { public: void some_func() { ... } };
(编辑:aniston)
|