所以我正在计算货币兑换,如果用户的输入是0.41
,结果将是:1 quarter, 1 dime, 1 nickel, 1 penny
。
代码工作正常,直到您提供负值。
我添加了一个if语句来检查它,然后我所能做的就是exit(0)
。我想重新提示用户输入一个正值,一次又一次,我该怎么做?
#include <cs50.h>
#include <stdio.h>
int main (void) {
printf("How much change do you owe: ");
float amount = GetFloat();
float cents = 100.0 * amount;
float quarter = 0;
float dime = 0;
float nickel = 0;
float penny = 0;
if (amount < 0) {
printf("Please provide a positive value.");
exit(0);
}
while (cents > 0) {
if (cents >= 25.0) {
cents -= 25.0;
quarter += 1;
} else if (cents >= 10.0) {
cents -= 10.0;
dime += 1;
} else if (cents >= 5.0) {
cents -= 5.0;
nickel += 1;
} else if (cents >= 1.0) {
cents -= 1.0;
penny += 1;
}
}
printf("%f quarters, %f dimes, %f nickels, %f pennies, Total of %f coins.\n", quarter, dime, nickel, penny, quarter + dime + nickel + penny);
}
答案 0 :(得分:4)
将你的声明作为新手放在哪里可能有点尴尬,所以这就是:
float amount;
for (;;)
{
amount = GetFloat();
if ( amount >= 0 )
break;
printf("Please provide a positive value.\n");
}
float cents = 100.0 * amount;
float quarter = 0;
// etc.
您不能将float amount
放在{ }
内,否则该变量将限定在该范围内,而}
后无法访问。
编写相同循环的更紧凑方式是:
while( (amount = GetFloat()) < 0 )
printf("Please provide a positive value.");
但你可以使用对你来说更合理的版本。
答案 1 :(得分:2)
float amount;
do
{
amount = GetFloat();
}
while (0 < amount);
编辑:当然,Matt赢得了包含告诉用户为什么他们正在循环的消息。