istream& getline (istream& is, string& str);
这里 str 在换行符之后终止。但是,如果我想处理 str cotents 2-3 行的情况,那么还有什么选择呢?
问问题
251 次
2 回答
2
您可以给出一条消息告诉用户终止输入,例如
std::cout<<"Enter your message (enter finish. to terminate input)"<<endl;
while (mess != "finish.")
{
std::getline(std::cin, mess);
input_message += mess;
}
希望这会有所帮助,因为它更具动态性
于 2013-08-23T05:58:05.150 回答
1
我觉得我们可以使用一些示例输入,但是此代码将读取行,std::cin
直到找不到更多行,并将所有这些行保存到std::vector
.
#include <iostream>
#include <vector>
int main() {
std::string line;
std::vector<std::string> lines;
while (std::getline(std::cin, line)) { // iterates until exhaustion
lines.push_back(line);
}
// lines[k] can be used to fetch the k'th line read, starting from index 0
// Simply repeat the lines back, prepended with a "-->"
for (auto line : lines) {
std::cout << "--> " << line << '\n';
}
}
例如,如果我输入
cat
bat
dog
我的程序输出
--> cat
--> bat
--> dog
于 2013-08-23T05:55:18.343 回答