我在这个函数中使用switch语句似乎有问题,但是对我来说一切看起来都是正确的。
double pricePerUnit(int x, int y)
double price=pricePerUnit;
{
switch(pricePerUnit)
{
case '1':
if(estimatedQuality(x,y)<2)
{
price=0.5;
break;
}
这只是switch语句的一部分,还有一些案例。但错误仅适用于代码中的这些行。
error: parameter âpriceâ is initialized
error: old-style parameter declarations in prototyped function definition
error: switch quantity not an integer
error: âpriceâ undeclared (first use in this function)
error: (Each undeclared identifier is reported only once
error: for each function it appears in.)
我对C很新,所以这对我来说有点混乱。如果有人可以提供帮助,那就太好了。感谢
答案 0 :(得分:1)
您应该测试estimatedQuality
返回的内容,而不是在调用之前执行测试。
double pricePerUnit(int x, int y) {
int quality = estimatedQuality(x, y);
double price;
if (quality < 2) {
price = 0.5;
} else if (quality < 4) {
price = 0.75;
} else if (quality == 4) {
price = 1;
} else if (quality == 5) {
price = 2;
}
return price;
}
您可以使用switch
这样做:
double pricePerUnit(int x, int y) {
double price;
switch(estimatedQuality(x, y)) {
case 0:
case 1:
price = 0.5;
break;
case 2:
case 3:
price = 0.75;
break;
case 4:
price = 1;
break;
case 5:
price = 2;
break;
}
return price;
}