Поскольку это не помечено как домашнее задание, вот небольшой пример чтения из stdin
с использованием std::vector
s и std::stringstream
s. В конце я также добавил дополнительную часть для итерации по vector
s и распечатки значений. Дайте консоли EOF
( ctrl + d для * nix, ctrl + z для Windows), чтобы остановить ее чтение на входе.
#include <iostream>
#include <vector>
#include <sstream>
int main(void)
{
std::vector< std::vector<int> > vecLines;
// read in every line of stdin
std::string line;
while ( getline(std::cin, line) )
{
int num;
std::vector<int> ints;
std::istringstream ss(line); // create a stringstream from the string
// extract all the numbers from that line
while (ss >> num)
ints.push_back(num);
// add the vector of ints to the vector of vectors
vecLines.push_back(ints);
}
std::cout << "\nValues:" << std::endl;
// print the vectors - iterate through the vector of vectors
for ( std::vector< std::vector<int> >::iterator it_vecs = vecLines.begin();
it_vecs != vecLines.end(); ++it_vecs )
{
// iterate through the vector of ints and print the ints
for ( std::vector<int>::iterator it_ints = (*it_vecs).begin();
it_ints < (*it_vecs).end(); ++it_ints )
{
std::cout << *it_ints << " ";
}
std::cout << std::endl; // new line after each vector has been printed
}
return 0;
}
Input / Output:
2
1 4
3
5 6 7
Values:
2
1 4
3
5 6 7
РЕДАКТИРОВАТЬ: Добавил еще пару комментариев к коду. Также обратите внимание, что пустые vector
с int
с могут быть добавлены к vecLines
(из пустой строки ввода), это преднамеренно, так что вывод совпадает с вводом.