要知道第一行的缩进,您需要知道输入中的行数。因此,您必须首先读入所有输入。为了方便 .size() 成员函数,我选择使用向量来存储值,该函数将在读取所有输入后给出总行数。
#include<iostream>
#include<sstream>
#include<vector>
#include<iomanip> // For setw
using namespace std;
int main()
{
stringstream ss;
vector<string> lines;
string s;
//Read all of the lines into a vector
while(getline(cin,s))
lines.push_back(s);
// setw() - sets the width of the line being output
// right - specifies that the output should be right justified
for(int i=0,sz=lines.size();i<sz;++i)
ss << setw((sz - i) + lines[i].length()) << right << lines[i] << endl;
cout << ss.str();
return 0;
}
在此示例中,我使用 setw 将线的宽度设置为右对齐。字符串左侧的填充由 (sz - i) 给出,其中 sz 是总行数,i 是当前行。因此,每个后续行的左侧都少了 1 个空间。
接下来我需要添加行的原始大小(lines[i].length()),否则该行将不包含足够大的空间,以使生成的字符串在左侧具有正确的填充。
setw((sz - i) + lines[i].length())
希望这可以帮助!