1

我正在做一些 IO,其中一条是number number,但是当我使用时,

if(isdigit(buffer) > 0) { ... }

它失败了,我相信这是因为每个数字之间有一个空格。有没有办法在使用 isdigit() 时不包含空格?或者有其他选择吗?谢谢。

4

1 回答 1

2

正如评论中提到的,isdigit()朋友们处理的是字符,而不是字符串。这样的事情会做你想要的:

bool is_digit_or_space(char * buffer) {
    while ( *buffer ) {
        if ( !isdigit(*buffer) && !isspace(*buffer) ) {
            return false;
        }
        ++buffer;
    }
    return true;
}

完整代码示例:

#include <stdio.h>
#include <ctype.h>
#include <stdbool.h>

bool is_digit_or_space(char * buffer) {
    while ( *buffer ) {
        if ( !isdigit(*buffer) && !isspace(*buffer) ) {
            return false;
        }
        ++buffer;
    }
    return true;
}

int main(void) {
    char good[] = "123 231 983 1234";
    char bad[] = "123 231 abc 1234";

    if ( is_digit_or_space(good) ) {
        printf("%s is OK\n", good);
    } else {
        printf("%s is not OK\n", good);
    }

    if ( is_digit_or_space(bad) ) {
        printf("%s is OK\n", bad);
    } else {
        printf("%s is not OK\n", bad);
    }

    return 0;
}

输出:

paul@local:~/src/c/scratch$ ./isdig
123 231 983 1234 is OK
123 231 abc 1234 is not OK
paul@local:~/src/c/scratch$
于 2013-10-20T21:20:36.097 回答