I am trying to write a program which gets user\'s input in a specific way. First, I input a word which contains no space; Then, I input another word which may contains space; An
The std::getline function does not skip whitespace like the normal input operator >>
does. You have to remove leading (and possible trailing?) whitespace yourself.
Removing the leading whitespace can be done by first finding the first non-whitespace character (with e.g. std::find_if) and then get a substring from that position to the rest (with std::string::substr).
Or as dyp suggests, use std::ws. The linked reference have a very good example how to use it.
getline()
reads whitespaces, if you want to ignore the leading whitespaces try:
cin.ignore();
getline(cin, b);
EDIT: Sorry, this indeed reads 1 character, this is another solution for you:
getline(cin, b);
string noLeadingWS = b.substr(b.find_first_not_of(' '),b.length()-b.find_first_not_of(' '));
cout << a << ": " << noLeadingWS<< std::endl;
So it looks like your program is just grabbing the space that you put in the program, you can get rid of it several ways!
You can stream the input yourself using cin.get() character by character you add them into a string until you get a space then keep going but don't add the spaces until you get something that isn't a space, then use your getline or you can continue your custom streaming this time looking for a newline!
You can just edit the resulting string to remove the extra spaces super easily, look at the substr() method!