今天遇到一个比较郁闷的问题,Obotcha中用Byte来定义一个Byte实例(类似于java中的Integer),但是在第三方的zlib库中,它有个typedef定义Byte,用来表示unsigned char。所以只要zlib库和Obotcha的Byte.hpp一起include的时候就会出现编译报错。哈哈,下面我们来写一个代码简单表示一下:
#include <tuple>
#include <type_traits>
#include <string>
#include <iostream>
typedef unsigned char Byte;
namespace bbb {
using Byte = int;
}
using namespace bbb;
int main() {
printf("byte size is %d",sizeof(Byte));
return 0;
}
编译报错如下:
testusing.cpp: In function ‘int main()’:
testusing.cpp:17:33: error: reference to ‘Byte’ is ambiguous
printf("size is %d \n",sizeof(Byte));
^~~~
testusing.cpp:6:23: note: candidates are: typedef unsigned char Byte
typedef unsigned char Byte;
^~~~
testusing.cpp:10:17: note: using Byte = int
using Byte = int;
很明显就是编译器不知道你的Byte具体是指哪一个...哈哈。接下来,我们就要用到namespace了,直接修改成:
printf("size is %d \n",sizeof(bbb::Byte));
指定namespace,接下来我们发现,的确编译器就能正常找到bbb中的Byte定义了。那如果我们想调用的不是bbb的Byte呢?
printf("size is %d \n",sizeof(::Byte));
这样就可以了。哈哈,按照这个思路,我直接修改了zlib.h中Byte的定义,加上了::,终于OK了。
|