如何以表格形式输出

时间:2018-07-22 04:11:55

标签: c++ formatting tabular

谁能帮助我,却不知道如何使我的输出成为Charge-column。我需要在该charge列的正下方进行输出,但是每次我按 ENTER 时,它都会换行,因此我的输出将显示在新行中。每个输出之后也有一个零,不知道它来自哪里。这是我的代码:

#include<iostream>
#include<stdlib.h>
#include<time.h>
using namespace std;
float calculateCharges(double x);
int main()
{
    int ranQty; //calculates randomly the quantity of the cars
    double pTime; // parking time
    srand(time(NULL));

    ranQty = 1 + rand() % 5;

    cout << "Car\tHours\tCharge" << endl;

    for(int i = 1; i <= ranQty; i++)
    {
    cout << i << "\t";
    cin >> pTime ;
    cout << "\t" << calculateCharges(pTime) << endl; 

    }
    return 0;  
}
float calculateCharges(double x)
{
    if(x <= 3.0) //less or equals 3h. charge for 2$
    {
        cout << 2 << "$";
    }
    else if(x > 3.0) // bill 50c. for each overtime hour 
    {
        cout << 2 + ((x - 3) * .5) << "$";
    }
}

1 个答案:

答案 0 :(得分:1)

您每次都按 ENTER 键,将pTime从命令行发送到程序的标准输入。这将导致换行。新行是导致控制台首先将您的输入移交给程序的原因。

为了正确打印,您可以简单地将pTime存储到一个数组中(例如,最好放在std::vector中,如@ user4581301所述);计算所需的并打印。 像这样:

#include <vector>

ranQty = 1 + rand() % 5;
std::cout << "Enter " << ranQty << " parking time(s)\n";
std::vector<double> vec(ranQty);
for(double& element: vec) std::cin >> element;

std::cout << "Car\tHours\tCharge" << std::endl;
for(int index = 0; index < ranQty; ++index)
   std::cout << index + 1 << "\t" << vec[index] << "\t" << calculateCharges(vec[index]) << "$" << std::endl;
  

每个输出后都有一个零,不知道它来自哪里。

float calculateCharges(double x);,此函数应返回float,并且您的定义类似于void函数。解决方法是:

float calculateCharges(double x)
{
   if(x <= 3.0)    return 2.0f;       // --------------> return float
   return 2.0f + ((x - 3.0f) * .5f) ; // --------------> return float
}