C++ std::cout 打印不出来uint8_t 和 int8_t

今天在测试程序时发现,发现一直打印不出某些数据,检查了好多遍,没有发现问题。经过多次测试,发现凡是uint8_t和int8_t的数据,都无法用std::cout打印出来。随后写个小程序测试了一下,发现确实如此。查过资料才明白,其中的原因。不得不说是个好坑。。。

#include
int main()
{
    uint8_t a = 10;
    int8_t b = 5;
    std::cout << "uint8_t a: " << a << std::endl;
    std::cout << "int8_t b: " << b << std::endl;
    printf("a : %d  b: %d \n", a, b);
    
    uint8_t c = 98;
    std::cout << "int8_t c:  "<< c << std::endl;
}

上述程序的输出结果为:

uint8_t a: 
int8_t b: 
a : 10  b: 5
int8_t c:  b

可以看出,使用std::cout 打印a,b是打印不出来的,而打印值为98的c 打印出来的结果确是“b”。使用printf打印出来的数据是正常的。

是因为uint8_t在许多C++版本中的定义是unsigned char,而<<操作符有一个重载版本是 ostream& operator<<(ostream&, unsigned char),它会将unsigned char类型的参数经过ASCII码转换输出对应的字符,上例中字符’b’的ASCII值就是98,没有ASCII对应的字符打印出来为空

如果想用std::cout打印出上述数据,可以使用类型转换,将其转换成int打印。如下

std::cout << static_cast<unsigned int>(a) << std::endl;
std::cout << static_cast<int>(b) << std::endl;

你可能感兴趣的:(C++,c++)