1

我想获取变量的用户输入L,但该scanf函数不起作用,如果我尝试输入任何内容,程序将跳转并打印下一个成本语句并退出。我是C新手,希望能在这里得到一些帮助。谢谢。下面的代码:

 #include <stdio.h>
 #include <conio.h>

 int main()
 {
    float L = 0; // L is litre
    float gallon;
    gallon = 3.785 * L;
    char x[2] = {'u', 'd'}; // u is unleaded and d is diesel
    float cost;
    printf("Hello, welcome to PetrolUpHere!!\n");
    printf("Would u like unleaded or diesel fuel?");
    scanf("%s", &x[2]);
    printf("Enter the litre you want to fuel:");
    scanf("%.2f", &L); //SCANF NOT WORKING
    switch (x[2]) {
        case 'u':
            cost = 1.98 * gallon;
            printf("The cost is :%.2f ", cost);
            break;
        case 'd':
            cost = 1.29*gallon;
            printf("The cost is :%.2f ",cost);
            break;
    }
    getch();
    return 0;
}
4

3 回答 3

2

这里有很多问题:

scanf("%s", &x[2]);

我想您想将字符串读入变量x。相反,您是在说“将字符串读入内存 2x个点后的位置”。在这种情况下,内存将超出范围。你应该这样做,因为你只关心一个角色:

char input;
scanf("%c", &input);

你的switch陈述同样被打破;x[2]又出界了。改用input上面的代码。

正如其他人所指出的那样,使用%.2fL. 阅读时不是您想要做的。%f改为使用。通常,在打印出变量时,您应该只对格式说明符执行类似的操作,而不是读入它们。最终您无论如何都不会使用scanf,因为它不是一种特别安全的获取输入的方式。

最后:似乎您对 C 字符串如何工作的理解充其量是不稳定的。这是可以理解的,因为对于以前没有使用过 C 的任何人,尤其是对于新手程序员来说,这是一个相当混乱的话题。这是一种解释;我相信你可以找到更多,如果你看的话,可能会更好。

于 2012-11-12T02:50:56.800 回答
2

您的大部分代码中存在三个问题(至少):

char x[2] = {'u', 'd'};//u is unleaded and d is diesel
float cost;

printf("Hello, welcome to PetrolUpHere!!\n");
printf("Would u like unleaded or diesel fuel?");
scanf("%s", &x[2]);
printf("Enter the litre you want to fuel:");
scanf("%.2f", &L); //SCANF NOT WORKING

switch (x[2]) {
  1. x是一个由 2 组成的数组,char它已初始化,但不是以空字符结尾的字符串。
  2. 您使用scanf("%s", &x[2]), 将字符串读入不属于数组的数据中x
  3. x[2]然后在语句中取消引用switch——再次访问超出范围的数据。
  4. 您不检查任何一个scanf()调用以确保它能够扫描结果。
  5. 您不会在阅读后立即打印您阅读的内容。
  6. .格式scanf()无效;使用"%f"(您可能不想使用"%2f",因为这会将您限制为最多两位数)。
  7. 您实际上并没有说出您在回答“无铅或柴油”问题时输入的内容。
于 2012-11-12T02:53:14.533 回答
0

scanf("%s", &x[2]); 应该: scanf("%c", &x[2]);


scanf("%.2f", &L); 应该: scanf("%2f", &L);

你用'0.0'初始化加仑,那么你的输出将永远是'0.0'。希望它有效。

于 2012-11-12T02:53:23.467 回答