0

我有一个需要在与流一起使用的库中使用的函数。实际输入数据是嵌入空值的无符号字符缓冲区,实际上每个字节都可以是 0-255 之间的任何字符/整数。

我有库的源代码,可以更改它。给定这样的字节流:

0x30, 0xb, 0x0, 0x6, 0x6

如果我使用从 char 缓冲区构造的 std::istringstream 流,只要在 read_stream 函数中达到 0x0,peek 就会返回 EOF???

当我尝试将流的内容复制到矢量流时,处理在到达空字符时停止。我怎样才能解决这个问题。我想将所有二进制字符复制到向量中。

#include <vector>
#include <iostream>
#include <sstream>

static void read_stream(std::istream& strm, std::vector<char>& buf)
{
   while(strm) {
      int c (strm.peek());
      if(c != EOF) {    // for the 3rd byte in stream c == 0xffffffff (-1) (if using istrngstream)
         strm.get();
         buf.push_back(c);
      }
   }
}


int main() {
   char bin[] = {0x30, 0xb, 0x0, 0x6, 0x6, 0x2b, 0xc, 0x89, 0x36, 0x84, 0x13, 0xa, 0x1};
   std::istringstream strm(bin);
   std::vector<char> buf;
   read_stream(strm, buf);

   //works fine doing it this way
   std::ofstream strout("out.bin",std::ofstream::binary);
   strout.write(bin, sizeof(bin));
   strout.close();
   std::ifstream strmf("out.bin",std::ifstream::binary);
   std::vector<char> buf2;
   read_stream(strmf, buf2);


   return 0;
}

编辑:

我现在意识到嵌入的 null 在流中没有特殊意义。所以这个问题一定和istringstream有关。

4

1 回答 1

0

你将 C 风格的字符串(char指针)传递给std::istringstream构造函数,它实际上实例化了 astd::string并传递它。这是由于隐式转换而发生的。的转换构造函数将std::stringC 样式字符串中的空字节字符解释为字符串终止符的结尾,导致其后面的所有字符都被忽略。

为避免这种情况,您可以显式构造一个std::string指定数据大小并将其传递给std::istringstream

char bin[] = {0x30, 0xb, 0x0, 0x6, 0x6, 0x2b, 0xc, 0x89, 0x36, 0x84, 0x13, 0xa, 0x1};
std::istringstream strm(std::string(bin, sizeof(bin) / sizeof(bin[0])));




注意:我不确切知道您要完成什么,但std::vector如果可能的话,我建议使用而不是原始字符缓冲区。

于 2013-06-27T14:47:12.823 回答