如何使此代码工作 (isdigit)

How to Make this Code Work (isdigit)

所以,我正在创建一个计算三角形面积的程序,我需要它告诉用户他输入的是字母还是负数,我按顺序创建了代码: 我需要使用 isdigit

#include <stdio.h>
#include <stdlib.h>
#include <math.h>
#include <ctype.h>

int main () {
    float a, b, c;
    float s=0, ar1=0, ar2=0;
    printf("Inform the value of side A.");
    fflush(stdin);
    scanf("%f",&a);
    while(a<=0||isdigit((int)a)){
        printf("Invalid value.");
        fflush(stdin);
        scanf("%f",&a);
    }printf("Inform the value of side B.");
    fflush(stdin);
    scanf("%f",&b);
    while(b<=0||isdigit((int)a)){
        printf("Invalid value.");
        fflush(stdin);
        scanf("%f",&b);
    }printf("Inform the value of side C.");
    fflush(stdin);
    scanf("%f",&c);
    while(c<=0||isdigit((int)a)){
        printf("Invalid value.");
        fflush(stdin);
        scanf("%f",&c);}
         s=((a+b+c)/2);
        ar1=(s*(s-a)*(s-b)*(s-c));
        ar2=pow(ar1,0.5);
   printf("The semiperimeter is %f",s);
   printf("The area of the triangle is%f",ar2);
   system ("pause");
   return 1;
}

但是,当我 compile/run 它并键入 "x" 或 "blabla" 时,当我应该键入一个数字时,没有任何反应,程序也没有警告我,我该怎么办?

首先,根据 C11 标准,在 stdin 上使用 fflush 是未定义的行为,尽管它在某些实现中有明确的定义。

其次,您不能简单地使用 isdigit 那样。一旦 %f 看到字符等无效数据,scanf 就会终止,相应的参数将保持不变。此外,在未初始化的变量上使用 isdigit 会导致未定义的行为。

您可以检查 scanf 的 return 值。如果成功,代码中的所有三个 scanf returns 1。


固定代码:

#include <stdio.h>
#include <stdlib.h>
#include <math.h>
#include <ctype.h> //Unused header


void flushstdin() //Removes all characters from stdin
{
    int c;
    while((c = getchar()) != '\n' && c != EOF); //Scan and discard everything until a newline character or EOF
}

int main () {

    float a, b, c;
    float s=0, ar1=0, ar2=0;

    printf("Inform the value of side A\n");
    //fflush(stdin); Avoid this to make your code portable
    while(scanf("%f",&a) != 1 || a <= 0){
        printf("Invalid value\n");
        flushstdin(); //Alternative way to flush stdin
    }

    printf("Inform the value of side B\n");
    //fflush(stdin);
    while(scanf("%f",&b) != 1 || b <= 0){
        printf("Invalid value\n");
        flushstdin(); //Alternative way to flush stdin
    }

    printf("Inform the value of side C\n");
    //fflush(stdin);
    while(scanf("%f",&c) != 1 || c <= 0){
        printf("Invalid value\n");
        flushstdin(); //Alternative way to flush stdin
    }

    s=((a+b+c)/2);
    ar1=(s*(s-a)*(s-b)*(s-c));
    ar2=pow(ar1,0.5);

    printf("The semiperimeter is %f\n", s);
    printf("The area of the triangle is %f\n", ar2);
    system ("pause");
    return 0; // 0 is usually returned for successful termination
}

此外,如上述程序所示,最好在 printf 中的字符串末尾添加换行符。他们

  • 提高可读性
  • 刷新标准输出