tell cin to stop reading at newline

Suppose I want to read line a of integers from input like this:

1 2 3 4 5\n

I want cin to stop at '\n' character but cin doesn't seem to recognize it.

Below is what I used.

vector<int> getclause() {
  char c;
  vector<int> cl;

  while ( cin >> c && c!='\n') {    
    cl.push_back(c);
    cin>>c;
  }
  return cl;
}

How should I modify this so that cin stop when it see the '\n' character?


Use getline and istringstream:

#include <sstream>
/*....*/
vector<int> getclause() {
  char c;
  vector<int> cl;
  std::string line;
  std::getline(cin, line);
  std::istringstream iss(line);
  while ( iss >> c) {    
    cl.push_back(c);
  }
  return cl;
}

You can use the getline method to first get the line, then use istringstream to get formatted input from the line.


You can read all whitespace by setting noskipws on the istream:

#include <ios>
#include <iostream>
#include <vector>

using std::vector;

vector<int> getc() {
    char c;
    vector<int> cl;
    std::cin >> std::noskipws;
    while (std::cin >> c && c != '\n') {
        cl.push_back(c);
        std::cin >> c;
    }
    return cl;
}

If the standard input contains only a single line, you might as well construct the vector with the istream_iterator:

#include <iostream>
#include <iterator>
#include <vector>

using std::vector;

vector<int> getc() {
    // Replace char with int if you want to parse numbers instead of character codes
    vector<int> cl{
        std::istream_iterator<char>(std::cin),
        std::istream_iterator<char>()
    };
    return cl;
}

Use std::getline, this will do the trick