When I use getline
, I would input a bunch of strings or numbers, but I only want the while loop to output the "word" if it is not a number.
So is there any way to check if "word" is a number or not? I know I could use atoi()
for
C-strings but how about for strings of the string class?
int main () {
stringstream ss (stringstream::in | stringstream::out);
string word;
string str;
getline(cin,str);
ss<<str;
while(ss>>word)
{
//if( )
cout<<word<<endl;
}
}
Here is another solution.
Another version...
Use
strtol
, wrapping it inside a simple function to hide its complexity :Why
strtol
?As far as I love C++, sometimes the C API is the best answer as far as I am concerned:
How does it work ?
strtol
seems quite raw at first glance, so an explanation will make the code simpler to read :strtol
will parse the string, stopping at the first character that cannot be considered part of an integer. If you providep
(as I did above), it setsp
right at this first non-integer character.My reasoning is that if
p
is not set to the end of the string (the 0 character), then there is a non-integer character in the strings
, meanings
is not a correct integer.The first tests are there to eliminate corner cases (leading spaces, empty string, etc.).
This function should be, of course, customized to your needs (are leading spaces an error? etc.).
Sources :
See the description of
strtol
at: http://en.cppreference.com/w/cpp/string/byte/strtol.See, too, the description of
strtol
's sister functions (strtod
,strtoul
, etc.).If you're just checking if
word
is a number, that's not too hard:...
Optimize as desired.
The accepted answer will give a false positive if the input is a number plus text, because "stol" will convert the firsts digits and ignore the rest.
I like the following version the most, since it's a nice one-liner that doesn't need to define a function and you can just copy and paste wherever you need it.
EDIT: if you like this implementation but you do want to use it as a function, then this should do:
You might try
boost::lexical_cast
. It throws anbad_lexical_cast
exception if it fails.In your case:
Use the all-powerful C stdio/string functions: