我的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();
}
}
答案 0 :(得分:0)
函数需要参数类型声明。
当OP呼叫big()
和largerr()
时,变量x y
为double
。
Decimals: {
...
double x , y;
...
big(x,y)
...
largerr(x,y)
声明了这两个函数
bool big(a,b) {
...
void largerr(a,b) {
在这两个函数中,参数a b
缺少任何类型信息。使用旧学校C标准,该函数假定a b
为int
。
结果是2 double
被传递,并且这些函数通常在函数处接收2 * 8个字节,并且通常预期为int
的2 * 4字节。因此,传递的数据的类型和大小不匹配,并且随之发生各种未定义的行为(UB)。
原型设计会有所帮助,如下所示。
bool big(double a, double b)
在+方面,OP的帖子已经完成。
其他问题:
goto
致电main()
main()
没有回复
应该使用lager_double(double, double)
和lager_long(long, long)
过度使用标签。