我希望代码检查命令行中的输入是否为整数。即10b无效。我尝试过isdigit()但不起作用吗?预先感谢。
#include <cs50.h>
#include <stdio.h>
#include <ctype.h>
int main(int argc, string argv[])
{
if (argc == 2)
{
int key = atoi(argv[1]);
if (isdigit(key))
{
printf("Success\n\%i\n", key);
exit(0);
}
}
printf("Usage: ./caesar key\n");
return 1;
}
答案 0 :(得分:1)
函数isDigit
检查单个字符是否为数字,即是否在'0'..'9'
之间。要检查字符串是否为数字,建议使用函数strtol
。
long strtol(const char *str, char **str_end, int base )
将字符串str
转换为整数,并将指针str_end
设置为不再参与转换的第一个字符。如果您要求数字后面没有字符,则str_end
必须指向字符串的结尾,即字符串终止字符'\0'
:
#include <stdio.h>
#include <stdlib.h>
int isNumber(const char* str) {
if (!str || *str=='\0') { // NULL str or empty str: not a number
return 0;
}
char* endOfNum;
strtol(str,&endOfNum,10);
if (*endOfNum == '\0') { // string is at its end; everything in it was a valid part of the number
return 1;
} else {
return 0; // something that is not part of a number followed.
}
}
int main() {
const char* vals[] = {
"10b",
"-123",
"134 ",
" 345",
"",
NULL
};
for (int i=0; vals[i]; i++) {
printf("testing '%s': %d\n", vals[i], isNumber(vals[i]));
}
}
输出:
testing '10b': 0
testing '-123': 1
testing '134 ': 0
testing ' 345': 1
testing '': 0
使特殊情况(如空字符串或NULL字符串)的含义适合您的需要。
答案 1 :(得分:0)
我的第一个想法是使用类似的东西:
int inputvalue = 0;
if (sscanf(argv[i], "%d", &inputvalue) == 1)
{
// it's ok....
}
else
{
// not an integer!
}
答案 2 :(得分:0)
isdigit
函数检查单个字符是否代表单个数字。 (数字-0 1 2 3 4 5 6 7 8 9)。
为了检查字符串是否为整数,可以使用类似的函数。将会
bool isNumber(char number[])
{
int i = 0;
// only if you need to handle negative numbers
if (number[0] == '-')
i = 1;
for (; number[i] != 0; i++)
{
if (!isdigit(number[i]))
return false;
}
return true;
}