How to set the output precision to 2 decimal place

2019-08-07 16:59发布

问题:

I want to globally set the ouptut precision to 2 decimal places.

I already tried to use iomanip and setprecision, however I keep getting output with 'e' in it.

This is my example code:

#include <iostream>
#include <iomanip>

using namespace std;

int main ()
{
    double pay=16.78;
    double hours;
    double total;

    cout.precision(2); 

    cout << "Please enter how many hours you worked : " << endl;
    cin >> hours;

    total=hours*pay;

    cout << "You earned: " << total << endl;
}

回答1:

I'm not familiar with "cout.precision(2)". I would use std::setprecision(4) if I wanted my output to have 4 significant figures.



回答2:

You can use something like this:

double pay = 393.2993;
std::cout << std::fixed << std::setprecision(2) << pay;

You will need to include iomanip for this to work.

#include <iomanip> 


回答3:

If your e is a positive value, you cannot ride of them because your value is too large. This code

std::cout << std::setprecision(3) << 3e45;

//output
3e+45

If it's a negative number, your precision is not enough. Like the following code

std::cout << std::setprecision(3) << 3e-45; //

//output
3e-45

A simple way will be to use std::fixed

std::cout << std::fixed << std::setprecision(3) << 3.63e-2;

//output
0.036

But the disavantage you have with the std::fixed is it shows the zero after the last none-zero number until it reach the setprecision qunatity you set previously.