这几天本来想将Lua_Tinker移植到Linux上去的,但是由于VC中的模板写法与gcc中的模板写法有些不同之处,比如下面一段代码:

 

 1struct pop_
 2{
 3  template<typename T> 
 4  static T invoke(lua_State *L, int index)
 5  {
 6    return lua2type<T>::invoke(L, index);
 7  }
 8  template<>
 9  static char* invoke(lua_State *L, int index)
10  {
11    return (char*)lua_tostring(L, index);
12  }
13  template<>
14  static const char* invoke(lua_State *L, int index)
15  {
16    return (const char*)lua_tostring(L, index);
17  }
18}; ```
19
20
21
22
23
24VS2003中就没有问题,但是在Linux中用g++编译就会出现问题,g++不支持这种写法。因为Lua_Tinker全是模板,而且有很多这种模板与全特化同在一个类或者结构中的模板,而至今(到笔者写稿时为止)也没有找到一种解决方案可以将上面所示代码正确移植到Linux,所以Lua_Tinker向Linux的移植到现在为止还并没有成功!虽然,这次移植并没有成功,但是我还是在这次移植中得到了许多关于模板的写法的经验。下面就介绍一下类模板中的函数模板在类内定义与类外定义的两种写法:
25 第一种:类内定义
26
27
28
29```cpp
30// 类内定义写法
31template<typename T>
32class CA
33{
34  template<typename RET>
35  static RET f()
36  {
37    RET t;
38    return t;
39  }
40};```
41
42
43
44
45第二种:类外定义
46
47```cpp
48// 类外定义的写法
49template<typename T>
50class CA
51{
52  template<typename RET>
53  static RET f();
54};
55
56template<typename T>
57template<typename RET>
58RET CA<T>::f()
59{
60  RET t;
61  return t;
62}```
63
64
65
66
67以上两中写法在VC中和g++中都可以顺利地编译!关于文章开头的第一段代码,如何写才能在g++中顺利编译呢?由于g++不支持类模板中函数模板全特化的template<>写法,但支持template<int>,template<char*>等等的全特化写法,所以将文章第一段代码写为如下形式即可在g++中编译通过:
68 
69
70```cpp
71struct pop_
72{
73  template<typename T> 
74  static T invoke(lua_State *L, int index)
75  {
76    return lua2type<T>::invoke(L, index);
77  }
78  template<char*>
79  static char* invoke(lua_State *L, int index)
80  {
81    return (char*)lua_tostring(L, index);
82  }
83  template<const char*>
84  static const char* invoke(lua_State *L, int index)
85  {
86    return (const char*)lua_tostring(L, index);
87  }
88 }; ```
89
90
91
92
93但是,由于g++不支持将void,float,double三种类型作为模板参数,所以template<void>,template<float>,template<double>g++中编译会出错!