5

我正在尝试从字符串中读取十六进制表示法的字节。不幸的是,字节可能会或可能不会被空格分隔,例如," 00 ffab c "这是一个有效的示例,应该导致读取 4 个字节,0x00、0xff、0xab 和 0x0c。问题是跳过空格但只读取两个相邻的数字,如果存在的话。

如果输入来自文件,任务将很简单,while(fscanf(f, "%2d", &i) == 1) ...因为sscanf跳过空格,读取位置由底层跟踪FILE,并且最大字段宽度仅应用于读取的项目,而不是包含空格的原始输入字符。但是从字符串读取时无法进行位置跟踪;我需要使用%n格式转换说明符,它将到目前为止通过此调用读取的字符数存储到关联变量中,例如scanf(f, "%2d%n", &i, &readIncr),并通过添加相应的增量来手动维护读取位置。

这有点麻烦,因此我想使用std::istringstreamwhich跟踪底层字符串中的位置。

但是在输入流上设置宽度并没有预期的(和预期的)效果;下面是一个最小的演示;为简单起见,我使用十进制整数。输入字段宽度的文档和示例很少。

难道我做错了什么?我这个用例根本不是故意的?

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

using namespace std;

int main()
{
  const char *s = "   1234";
  int i;
  istringstream is(s);

  if (is >> setw(2) >> i)
  {
    cout << "stringstream i: " << i << '\n';
  }

  if (sscanf(s, "%2d", &i) == 1)
  {
    cout << "scanf i: " << i << '\n';
  }
}

输出是(使用 g++ 和 MSVC)

$ g++ -Wall -o fieldwidth fieldwidth.cpp && ./fieldwidth
stringstream i: 1234
scanf i: 12
4

1 回答 1

3

遗憾的是,cpp 流远非完美。AFAIKstd::setw仅适用于读取字符串。你可以做的是:

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

using namespace std;

int main()
{
  const char *s = "   1234";
  std::string i;
  istringstream is(s);

  if (is >> setw(2) >> i)
  {
    cout << "stringstream i: " << std::stoi(i) << '\n';
  }

  int j;
  if (sscanf(s, "%2d", &j) == 1)
  {
    cout << "scanf i: " << j << '\n';
  }
}

你会得到预期的输出:

stringstream i: 12
scanf i: 12
于 2020-01-14T12:12:55.880 回答