小数运算

/*
 小数运算:
 1)在除法运算中,整数除整数会得整数,如果要得到小数,一定要使其除数或被除数至少有一个是小数。
    7/2 = 3
    7.0/2 = 3.5
    7.0/2.0 = 3.5
 2)常用的小数类型有两种float, double,float有效数位只有7位,double有17位
 3)保留小数位数两步骤:a)引入头文件 #include <iomanip> b)在输出的地方使用cout<<fixed<<setprecision(3)<<x<<endl; 可设置保留小数位数
 

 总结:
 注意整数除整数问题;
 如果是实数要定义为实数类型;
 如何保留小数位数;
 百分比要转换成小数
 */

#include <iostream>
#include <iomanip> //保留小数位,步骤一
using namespace std;

int main() {
    // 小数类型与赋值,保留小数位数
    float a = 3.12356; //把double类型数据赋值给float
    float a1 = 3.14f; //+f,3.14f就是float类型
    float a2 = 3; //把整数赋值给float
    double b = 3.123456789;
    cout<<a<<endl;
    cout<<a1<<endl;
    cout<<a2<<endl;
    cout<<b<<endl;
    cout<<fixed<<setprecision(3)<<a<<endl; //保留小数位,步骤二,fixed setprecision(保留小数位数)
    cout<<fixed<<setprecision(8)<<b<<endl;
    cout<<endl;
    
    
    
    /*
     输出:
     3.12356
     3.14
     3
     3.12346
     3.124
     3.12345679
     */
    
    
    // 整数除整数得整数,要得小数至少有一位是小数
    cout.unsetf(ios_base::fixed); //取消上面的fixed setprecision设置,不然后面的都要保留8位小数
    cout<<7/2<<endl; //整数除整数得整数
    cout<<7.0/2<<endl; //至少有一个是小数才得小数
    cout<<7*1.0/2<<endl;
    cout<<7/2*1.0<<endl;
    /*
     输出:
     3
     3.5
     3.5
     3
     */
    
    return 0;
}