-1

我的 C 代码中有一个奇怪的运行时错误。这里的Integers比较效果很好。但在Decimals比较中,我总是得到第二个数字大于第一个数字,这是错误的。我对 C 和一般编程很陌生,所以这对我来说是一个复杂的应用程序。

#include <stdio.h>
#include <stdbool.h>
#include <stdlib.h>
int choose;
long long neLimit = -1000000000;
long long limit = 1000000000;
bool big(a,b) {
    if ((a >= limit) || (b >= limit))
        return true;
    else if ((a <= neLimit) || (b <= neLimit))
        return true;
    return false;
}
void largerr(a,b) {
    if (a > b)
        printf("\nThe First Number is larger ..\n");
    else if (a < b)
        printf("\nThe Second Number is larger ..\n");
    else
        printf("\nThe Two Numbers are Equal .. \n");
}
int main() {
    system("color e && title Numbers Comparison && echo off && cls");
start:{
    printf("Choose a Type of Comparison :\n\t1. Integers\n\t2. Decimals \n\t\t     I Choose Number : ");
    scanf("%i", &choose);
    switch(choose) {
        case 1:
            goto Integers;
            break;
        case 2:
            goto Decimals;
            break;
        default:
            system("echo Please Choose a Valid Option && pause>nul && cls");
            goto start;
        }
    }
Integers: {
    system("title Integers Comparison && cls");
    long x , y;
    printf("\nFirst Number : \t");
    scanf("%li", &x);
    printf("\nSecond Number : ");
    scanf("%li", &y);
    if (big(x,y)) {
        printf("\nOut of Limit .. Too Big Numbers ..\n");
        system("pause>nul && cls") ; goto Integers;
    }
    largerr(x,y);
    printf("\nFirst Number : %li\nSecond Number : %li\n",x,y);
    goto exif;
}
Decimals: {
    system("title Decimals Comparison && cls");
    double x , y;
    printf("\nFirst Number : \t");
    scanf("%le", &x);
    printf("\nSecond Number : ");
    scanf("%le", &y);
    if (big(x,y)) {
        printf("\nOut of Limit .. Too Big Numbers ..\n");
        system("pause>nul && cls") ; goto Decimals;
    }
    largerr(x,y);
    goto exif;
}
exif:{
    system("pause>nul");
    system("cls");
    main();
}
}
4

1 回答 1

0

函数需要参数类型声明。

当 OP 调用big()并且largerr()变量x ydouble.

Decimals: {
  ...
  double x , y;
  ... 
  big(x,y)
  ...
  largerr(x,y)

这两个函数被声明

bool big(a,b) {
...
void largerr(a,b) {

在这两个函数中,参数都a b缺少任何类型信息。使用老式 C 标准,函数假定a bint.

结果是 2double被传递,这些通常是 2*8 字节在函数处被接收,并且预计通常是 2*4 字节int。因此,传递的数据的类型和大小不匹配,各种未定义的行为 (UB) 随之而来。

原型设计会有所帮助,如下所示。

bool big(double a, double b)

在 + 方面,OP 的帖子已经完成。


其他问题:从 “应该使用”和 “过度使用标签”中
goto
调用“main()
不返回”。main()
lager_double(double, double)lager_long(long, long)

于 2013-11-06T21:13:06.513 回答