我在C ++中有一个带printf
的输出语句,如下所示:
for(int i=0; i<6; i++)
printf("%.2X", (unsigned char) iter->hwaddress[i]);
我需要使用std::cout
进行输出,我试图这样做:
for(int i=0; i<6; i++)
cout << hex << (unsigned char) iter->hwaddress[i];
但这只是给了我:
�:�:w:�:�:
有谁知道怎么做?
答案 0 :(得分:6)
您需要将其投射到int
:
char c = 15;
cout << hex << setfill('0') << setw(2) << static_cast<int>(c); // prints "0f"
hex
仅影响整数I / O,char
不被视为其中的一部分 - 因此您的代码最终仍会输出实际的char
。
答案 1 :(得分:1)
如果iter->hwaddress[i]
的值是硬件地址,为什么不(重新解释)将它们转换为实际指针?然后cout
将以十六进制打印它们而无需任何额外的努力。
cout << reinterpret_cast<void*>(iter->hwaddress[i]);
目前尚不清楚您是否需要固定的位数。这可能需要<iomanip>
中的一些工具。
答案 2 :(得分:0)
不要强制转换为unsigned char
,而是转换为整数。
#include <iostream>
#include <iomanip>
#include <cstdio>
int
main()
{
char numbers[] = {1, 2, 3, 4, 5, 6};
// Using C-style printf:
for (int i = 0; i < 6; i++)
std::printf("%02X", static_cast<unsigned>(numbers[i]));
printf("\n");
// Using C++ streams:
for (int i = 0; i < 6; i++)
std::cout << std::hex << std::setw(2) << std::setfill('0')
<< static_cast<unsigned>(numbers[i]);
std::cout << std::endl;
}
<<
运算符在这些类型上重载。如果你需要施放,也可以避免使用C风格的强制转换,而不是static_cast
。