我使用istream_iterator从输入中读取整数(直到eof)并将它们存储到向量中
之后,我想读取一个整数(或者也许是另一种类型的值,例如字符串)。我该怎么办?
“问题”代码如下。它不会使用cin读取值。
#include<iostream>
#include<iterator>
#include<algorithm>
#include<vector>
using namespace std;
int main(){
// creates two iterators to the begin end end of std input
istream_iterator<int> int_it(cin), eof;
vector<int> int_vec(int_it,eof);
// prints the vector using iterators
cout<<"You gave me the vector: ";
copy(int_vec.begin(),int_vec.end(),ostream_iterator<int>(cout," "));
cout<<endl;
int value;
cout<<"Give me the value you want to search for: ";
cin>>value;
int x=count(int_vec.begin(),int_vec.end(),value);
cout<<"Value "<<value<<" is found "<<x<<" times\n";
}
答案 0 :(得分:1)
在评论中,您写道:
我想读取向量整数,直到用户按ctrl-D(eof)。然后我想重新使用cin来阅读其他内容。
您不能那样做。 std::cin
/ stdin
关闭后,将无法重新打开它以从中读取更多数据。
您可以使用其他策略。可以不使用EOF来检测整数矢量的输入结尾,而可以使用非整数的东西。例如,如果您的输入包含
1 2 3 4 end
然后,对int_vec
的读取将在输入流中“结束”的开始处停止。然后,您可以使用cin.clear()
和cin.ignore()
清除流的错误状态并丢弃该行中的其余输入,然后继续从cin
中读取更多内容。
#include <iostream>
#include <iterator>
#include <algorithm>
#include <vector>
#include <limits>
using namespace std;
int main()
{
// creates two iterators to the begin end end of std input
cout << "Input some integers. Enter something else to stop.\n";
istream_iterator<int> int_it(cin), eof;
vector<int> int_vec(int_it, eof);
// prints the vector using iterators
cout<<"You gave me the vector: ";
copy(int_vec.begin(),int_vec.end(), ostream_iterator<int>(cout," "));
cout << endl;
cin.clear();
cin.ignore(std::numeric_limits<std::streamsize>::max(), '\n');
int value = 0;
cout << "Give me the value you want to search for: ";
cin >> value;
int x = count(int_vec.begin(), int_vec.end(), value);
cout << "Value " << value << " is found " << x << " times\n";
}
Input some integers. Enter something else to stop.
1 2 3 4 end
You gave me the vector: 1 2 3 4
Give me the value you want to search for: 1
Value 1 is found 1 times