C - If while循环中的语句。连续扫描()

时间:2018-06-15 23:38:18

标签: c if-statement while-loop floating-point scanf

好吧,我希望这个函数能给我带来改变。我有限制,我不能插入所有类型的硬币。例如,如果我有givemeChange(0.50)我想插入钱,直到他们足够支付产品。我找不到解决方案。我在终端中插入2个数字,然后该功能始终在return 0.69

这是我的代码:

感谢您的时间

float givemeChange(float price){

printf("Only these coins are allowed:\n" );
printf("0.05€ 0.10€ 0.20€ 0.50€ 1€ 2€\n\n");

float str = 0 ;
float count = 0 ;
while(count <= price){

  printf("Insert coins\n" );
  scanf("%f\n",&str );

  if(str == 0.05){
    count = count + 0.05;
  }
  if(str == 0.10){
    count = count + 0.10;
  }
  if(str == 0.20){
    count = count + 0.20;
  }
  if(str == 0.50){
    count = count + 0.50;
  }
  if(str == 1){
    count = count + 1;
  }
  if(str == 2){
  count = count + 2;
  }
  else{
  return 0.69;
  }
 }
  return (price-count);
}

1 个答案:

答案 0 :(得分:3)

我猜你的比较会遇到麻烦: 在二进制系统中,对于分数,只能精确表示2的幂 - 0.2不能在二进制系统中精确表示,因为在二进制中,它可能是一个永无止境的分数。 你会遇到像1/3这样的分数相同的小数,它由0.33表示大致,但是你永远不能将其精确地表示为小数。因此,您可能很难进行比较==。它(在我们的十进制系统中)1.0 / 3.0 == 0.3333永远不会是真的,无论你在十进制中加了多少3个。

相反,比较绝对值,您应该回过头来检查您输入的值是否足够接近到目标值,如下所示:

...

float abs(float a) {return (a < 0) ? -a : a; }

const float epsilon = 0.005;

...

  printf("Insert coins\n" );
  scanf("%f",&str );

  if(abs(str - 0.05) < epsilon) {
      printf("Gave 0.05\n");
    count = count + 0.05;
  }

  if(abs(str - 0.10) < epsilon) {
      printf("Gave 0.10\n");
     count = count + 0.10;
  }

  ...

但是,对于您的问题,将您的值作为字符串读取可能更容易(也更容易),然后您可以使用strcmp将它们与期望值进行比较并对其进行适当处理,如下所示:

 char  input[100];

 ...

 scanf("%100s", input);
 input[99] = '\0';

 if(0 == strcmp(input, "0.05")) {
    printf("You gave 0.05\n");
    count += 0.05;
 }

 /* and so on with the other options */

如果您还想接受.5等类似的输入,则必须编写自己的比较功能。

解决方案是你的选择,只是为了完整性,这里是一个直接编译的紧密解决方案 - 使用一种查找表来阻止所有if's键入... :

#include <stdlib.h>
#include <stdio.h>
#include <string.h>

float givemeChange(float price){

    struct {const char* input; float value;} input_map[] =
    {
        {"0.05", 0.05},
        {"0.10", 0.10},
        {"0.20", 0.20},
        {"0.50", 0.5}
    };

    printf("Only these coins are allowed:\n" );
    printf("0.05€ 0.10€ 0.20€ 0.50€ 1€ 2€\n\n");

    char input[100] = {0};
    float  count = 0 ;
    while(count <= price){

        printf("Insert coins\n" );
        scanf("%100s",input );
        input[99] = 0;

        for(size_t i = 0; i < sizeof(input_map) / sizeof(input_map[0]); ++i) {

            if(0 == strcmp(input_map[i].input, input)) {
                printf("Gave %s\n", input_map[i].input);
                count += input_map[i].value;
                break;
            }

        }

    }

    return count - price;
}


int main(int argc, char** argv) {

    printf("Your change %f\n", givemeChange(0.5));

}
相关问题