间接需要指针操作数和预期的表达式错误

时间:2015-07-01 23:13:18

标签: compilation c++

我一直收到与以下类似的错误:

pitstop.cpp:36:23: error: indirection requires pointer operand

        ('double' invalid)

         cost = UNLEADED * gallons;

                          ^ ~~~~~~~

pitstop.cpp:40:14: error: expected expression

                    cost = SUPER * gallons;                               ^


#include <iostream>
#include <iomanip>
using namespace std;

#define UNLEADED 3.45;
#define SUPER {UNLEADED + 0.10};
#define PREMIUM {SUPER + 0.10};

/* 
    Author: Zach Stow
    Date: 
    Homework 
    Objective:
*/

double cost, gallons;
string gasType, finish, stop;

int main()
{
    for(;;)

    {

        cout <<"Hi, welcome to Pitstop.\n"; 
        cout <<"Enter the type of gas you need:";
        cin >> gasType; 
        cout << endl;

        cout <<"Enter the amount of gallons you need:";
        cin >> gallons;
        cout << endl;

        if(gasType == "finish" || gasType == "stop")break;

        else if(gasType == "UNLEADED")
        {
            cost = UNLEADED * gallons;
        }
        else if(gasType == "SUPER")
        {
            cost = SUPER * gallons;
        }   
        else if(gasType == "PREMIUM")
        {
            cost = PREMIUM * gallons;
        }

    }   
    cout <<"You need to pay:$" << cost << endl;

    return(0);

}

2 个答案:

答案 0 :(得分:3)

不是c++专家,但我确定要定义一个常量,您只需要使用#define指令后跟符号和要分配给它的值(甚至如果值本身是一个表达式,即使这样的表达式引用另一个常量),大括号和尾随分号也是过多的:

// [...]

#define UNLEADED 3.45
#define SUPER (UNLEADED + 0.10)
#define PREMIUM (SUPER + 0.10)

//[...]

它在第一次尝试进行了这样的修正。

答案 1 :(得分:1)

错误的原因是#define指令末尾的半冒号。

您还使用了错误类型的括号,请尝试以下方法:

#define UNLEADED 3.45 #define SUPER (UNLEADED + 0.10) #define PREMIUM (SUPER + 0.10)

请注意,当您使用#define指令时,无论如何将#define替换为您的代码。在这种情况下,在预处理器运行后,您的代码如下所示:

else if(gasType == "UNLEADED") { cost = UNLEADED 3.45; * gallons; } else if(gasType == "SUPER") { cost = {UNLEADED + 0.10}; * gallons; }
else if(gasType == "PREMIUM") { cost = PREMIUM {SUPER + 0.10}; * gallons; }

您收到indirection requires pointer operand错误的原因是编译器试图解释此语句:

* gallons;

因为*运算符只有一个参数,所以它被解释为指针解引用,幸运的是gallons变量不是指针类型。如果已经将加仑声明为指针类型,即double cost, *gallons;并且cin不存在,则代码将编译但不能按预期执行,可能会引发段错误。

使用#define定义的宏可能非常强大且非常危险。通常有一种更好的方法来实现c ++中的东西。在这种情况下,UNLEADEDSUPER_UNLEADEDPREMIUM可以声明为const double类型,即

const double unleaded = 3.45; const double super = unleaded + 0.10; const double premium = super + 0.10;