How to find out if a character in a string is an integer
Let's say I want to look at the character at position 10 in a string s.
开发者_运维百科s.at(10);
What would be the easiest way to know if this is a number?
Use isdigit
std::string s("mystring is the best");
if ( isdigit(s.at(10)) ){
//the char at position 10 is a digit
}
You will need
#include <ctype.h>
to ensure isdigit
is available regardless of implementation of the standard library.
The other answers assume you only care about the following characters: 0, 1, 2, 3, 4, 5, 6, 7, 8, 9
. If you are writing software that might operate on locales that use other numeral systems, then you'll want to use the newer std::isdigit
located in <locale>
: http://www.cplusplus.com/reference/std/locale/isdigit/
Then you could recognize the following digits as digits: ४, ੬, ൦, ௫, ๓, ໒
The following will tell you:
isdigit( s.at( 10 ) )
will resolve to 'true' if the character at position 10 is a digit.
You'll need to include < ctype >.
Another way is to check the ASCII value of that character
if ( s.at(10) >= '0' && s.at(10) <= '9' )
// it's a digit
Use isdigit:
if (isdigit(s.at(10)) {
...
}
精彩评论