如何使用 ostringstream 在 C++ 中记录十六进制字符串?

How to log a hex string in c++ with ostringstream?

我正在尝试将十六进制值记录到 ostringstream,但它不起作用。我正在尝试:

unsigned char buf[4];
buf[0] = 0;
buf[1] = 1;
buf[2] = 0xab;
buf[3] = 0xcd;
std::ostringstream e1;
e1 << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[0] << " " << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[1] << " " << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[2] << " " << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[3];
std::cout << e1.str() << std::endl;

我期待得到类似“0x00 0x01 0xab 0xcd”的东西,但我得到的却是“0x00”。

我也试过把它分解成

    e1 << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[0];
    e1 << " ";
    e1 << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[1];
    e1 << " ";
    e1 << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[2];
    e1 << " ";
    e1 << "0x" << std::setfill('0') << std::setw(3) << std::hex << buf[3];

但得到同样的东西。

问题是字符在输出流中未被视为整数,因此整数操纵符不会影响它们的输出。

基本上...替换

unsigned char buf[4];

unsigned int buf[4];

这个有效:

e1         << "0x" << std::setfill('0') << std::setw(2) << std::hex << (int)buf[0]
    << " " << "0x" << std::setfill('0') << std::setw(2) << std::hex << (int)buf[1]
    << " " << "0x" << std::setfill('0') << std::setw(2) << std::hex << (int)buf[2]
    << " " << "0x" << std::setfill('0') << std::setw(2) << std::hex << (int)buf[3];

我已将转换添加到 (int) 并更改 setw(2)。

我假设这里的主要问题是您的字符串流对 char 的解释。尝试将其转换为 int,一切都像魅力一样:

#include <iostream>
#include <sstream>
#include <iomanip>

using namespace std;

int main()
{
  unsigned char buf[4];
  buf[0] = 0;
  buf[1] = 1;
  buf[2] = 0xab;
  buf[3] = 0xcd;

  ostringstream e1;
  for (uint i=0; i< sizeof(buf); ++i)
  {
    e1  << "0x" << std::setw(2) << std::setfill('0') << std::hex << static_cast<int>(buf[i]) << " ";
  }

  cout << e1.str() << endl;

  return 0;
}

这会为您提供所需的输出:

0x00 0x01 0xab 0xcd