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

时间:2019-03-11 14:57:57

标签: c++ hex 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];

但是得到同样的东西。

3 个答案:

答案 0 :(得分:1)

问题在于,在输出流中字符不会被视为整数,因此整数操纵器不会影响其输出。

基本上...替换

unsigned char buf[4];

使用

unsigned int buf[4];

答案 1 :(得分:1)

这有效:

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)。

答案 2 :(得分:1)

我认为,这里的主要问题是字符串流对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