3

如果我有两个存储在std::string变量中的表,我怎么能并排显示它们?尤其...

我有std::string table1其中包含以下内容:

 X | Y
-------
 2 | 3
 1 | 3
 5 | 2

我有std::string table2其中包含以下内容:

 X | Y
-------
 1 | 6
 1 | 1
 2 | 1
 3 | 5
 2 | 3

我需要修改它们(或者实际上只是将它们打印到标准输出),以便出现以下内容:

 X | Y    X | Y
-------  -------
 2 | 3    1 | 6
 1 | 3    1 | 1
 5 | 2    2 | 1
          3 | 5
          2 | 3

换句话说,我有两个表存储在std::string变量中,用换行符分隔行。

我想将它们打印到屏幕上(使用std::cout),以便表格并排显示,在顶部垂直对齐。我怎么能这样做?

例如,如果我可以执行类似std::cout << table1.nextToken('\n')wherenextToken('\n')给出下一个标记并且标记由'\n'字符分隔的操作,那么我可以设计一种方法来循环遍历所有标记,并且一旦table1使用了所有标记,我就可以简单地打印空格字符,这样的剩余标记table2正确水平对齐。但是,这样的nextToken(std::string)功能不存在——至少我不知道。

4

1 回答 1

5

关键词:字符串流,getline

实施:

#include <iostream>
#include <sstream>
int main()
{
    std::string table1 = 
        " X | Y\n"
        "-------\n"
        " 2 | 3\n"
        " 1 | 3\n"
        " 5 | 2\n";
    std::string table2 = 
        " X | Y\n"
        "-------\n"
        " 1 | 6\n"
        " 1 | 1\n"
        " 2 | 1\n"
        " 3 | 5\n"
        " 2 | 3\n";

    std::istringstream streamTable1(table1);
    std::istringstream streamTable2(table2);
    while (!streamTable1.eof() || !streamTable2.eof())
    {
        std::string s1;
        getline(streamTable1, s1);
        while (s1.size() < 9)
            s1 += " ";
        std::string s2;
        getline(streamTable2, s2);
        std::cout << s1 << s2 << std::endl;
    }
}
于 2013-05-31T23:44:00.027 回答