0

我应该使用一个并行数组来显示一杯咖啡是基于添加了什么插件。原版咖啡是2美元。我很困惑如何输出正确的结果。目前,它将输出“Order total is2”。我错过了什么?

// JumpinJava.cpp - This program looks up and prints the names and prices of coffee orders.  
// Input:  Interactive
// Output:  Name and price of coffee orders or error message if add-in is not found 

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

int main()
{
   // Declare variables.
    string addIn;     // Add-in ordered
    const int NUM_ITEMS = 5; // Named constant
    // Initialized array of add-ins
    string addIns[] = {"Cream", "Cinnamon", "Chocolate", "Amaretto", "Whiskey"}; 
    // Initialized array of add-in prices
    double addInPrices[] = {.89, .25, .59, 1.50, 1.75};
   bool foundIt = false;     // Flag variable
   int x;                // Loop control variable
   double orderTotal = 2.00; // All orders start with a 2.00 charge

   // Get user input
   cout << "Enter coffee add-in or XXX to quit: ";
   cin >> addIn;

   // Write the rest of the program here. 
        for(int i = 0; i < NUM_ITEMS; i++){
            if (addIns[i] == (addIn))
            foundIt = true;
                   if (foundIt)
                 {
                    x = orderTotal + addInPrices[i];
                    cout << "Order Total is" << x << endl;
                    }
        else cout <<"Sorry, we do not carry that."<< endl; 
        }

   return 0;
} // End of main() 
4

1 回答 1

1

在这一行:

x = orderTotal + addInPrices[i];

您正在将x(一个int值)设置为类似的值2.00 + 0.25,对吗?您的编译器可能会在此处警告您可能会丢失精度。数值只能包含整数:1、2、3 等。如果您尝试将其设置为像 2.25 这样的浮点数,它将被截断(去掉小数点),只留下整数部分。所以结果x = 2.25将是2x 中的值,这与您的输出一致。

在您的作业模板中,您的讲师在以下声明旁边写下了此评论x

int x;                // Loop control variable

我似乎很清楚,其意图是x成为您放入 for 循环的内容,即控制循环发生次数和结束时间的变量。您选择创建一个新变量i。这也可以解释为什么x没有初始化任何东西 - 如果你按照预期的方式进行初始化,初始化将在 for 循环中发生。

试试这个:不要使用x来存储新价格,只需插件价格添加到orderTotal,以便它始终是最新的并且具有正确的值。这样,您根本不需要x使用它,而是可以在 for 循环中使用它。然后,您将打印orderTotal而不是x在输出中。

于 2020-02-28T19:30:36.400 回答