Dec 12, 2012 at 7:04am UTC  
I input 9X^3 + 5Xgetline()9X^3+5Xskipws
Last edited on Dec 12, 2012 at 7:08am UTC  
 
Dec 12, 2012 at 7:50am UTC  
Nope. Stream manipulators work with the extraction and insertion operators. Skipws is set to on by default so you'd be already using it if you used >> or <<
 
Dec 12, 2012 at 9:43am UTC  
So if I write 
1string temp;
cin >> skipws >> temp;
 and I input 
 temp becomes 
?
Whereas if I write 
1string temp;
cin >> skipws;
cin.getline(temp);
 and I input the same string temp becomes 
?
Last edited on Dec 12, 2012 at 9:45am UTC  
 
Dec 12, 2012 at 11:32am UTC  
To swallow the leading whitespace before an unformatted input function such as getline(), you want to use 
ws, not 
skipws.1cin >> ws;
getline(cin, temp);
Formatted input functions, such as operator>>, do it automatically *unless* you use 
noskipws. Skipws just reaffirms the default settings.
I don't see how that helps you solve your original task of removing whitespace from a string. Just erase-remove:
1#include <iostream> 
#include <string> 
#include <algorithm> 
int  main()
{
    std::string s = "9X^3 + 5X" ;
    s.erase( std::remove(s.begin(), s.end(), ' ' ), s.end());
    std::cout << s << '\n' ;
}
or even simpler
1#include <iostream> 
#include <string> 
#include <boost/algorithm/string/erase.hpp> 
int  main()
{
    std::string s = "9X^3 + 5X" ;
    boost::erase_all(s, " " );
    std::cout << s << '\n' ;
}
demo: 
http://ideone.com/ek7Owy 
Last edited on Dec 12, 2012 at 11:39am UTC