2016-03-15 22 views
4

有人可以告诉我为什么以下代码在Visual Studio 2010中完美工作,但无法在gcc 5.3中编译,尽管它看起来没有什么问题? 我已经做了一些Google搜索,但没有找到描述模板类继承的标准方法。类模板继承无法在GCC中编译,但在Visual Studio中工作

#include <iostream> 
#include <string> 

namespace foobar 
{ 
    template <typename Char_Type = char> 
    class basic_foo 
    { 
    public: 
     inline basic_foo(){} 
     virtual ~basic_foo(){} 

     typedef std::basic_string<Char_Type> str_foo; 
     enum { fooEnum = 100 }; 
    }; 

    template <typename Char_Type = char> 
    class basic_bar :private basic_foo <Char_Type> 
    { 
    public: 
     basic_bar(){} 
     ~basic_bar(){} 

     str_foo bar1() 
     { 
      int i = fooEnum; 
      return str_foo("test succeeded\n"); 
     } 
    }; 
} 

typedef foobar::basic_bar<> bar2; 

int main() 
{ 
    bar2 bar; 
    std::cout << bar.bar1(); 
    return 0; 
} 
在视觉工作室

,它导致:

test succeeded 

但在GCC,它说:

main.cpp|24|error: unknown type name 'str_foo' 
main.cpp|26|error: use of undeclared identifier 'fooEnum' 
main.cpp|27|error: use of undeclared identifier 'str_foo' 
||=== Build failed: 3 error(s), 0 warning(s) (0 minute(s), 0 second(s)) ===| 

回答

6

问题是在两阶段查找,这是在GCC实现/铿锵声,并没有在VS中实现。

代码应该使用typenamethis在需要的地方通过标准:

template <typename Char_Type = char> 
class basic_bar :private basic_foo <Char_Type> 
{ 
public: 
    basic_bar(){} 
    ~basic_bar(){} 

    typename basic_foo<Char_Type>::str_foo bar1() 
    { 
     int i = this->fooEnum; 
     return typename basic_foo<Char_Type>::str_foo("test succeeded\n"); 
    } 
}; 

live example

您可以阅读Where and why do I have to put the "template" and "typename" keywords?Two phase lookup - explanation needed

相关问题