整数运算
#include <iostream>
using namespace std;
/*
总结:
除法/和取余数%非常常用,/用在倍数,%用在于余数
*/
int main() {
// 一、基本算术运算符号
int a,b;
a = 7;
b = 2;
cout<<"a+b="<<a+b<<endl;
cout<<"a-b="<<a-b<<endl;
cout<<"a*b="<<a*b<<endl;
cout<<"a/b="<<a/b<<endl; //整数除整数得整数
cout<<"a*1.0/b="<<a*1.0/b<<endl; //要得整数必须使其中一个为小数 相当于7.0/2 = 3.5
cout<<"a/b*1.0="<<a/b*1.0<<endl; // 这个要注意优先级,7/2*1.0 先算 7/2 = 3 * 1.0 = 3
cout<<"a%b="<<a%b<<endl;
cout<<endl;
/*
输出:
a+b=9
a-b=5
a*b=14
a/b=3
a*1.0/b=3.5
a/b*1.0=3
a%b=1
*/
// 二、复合算术运算符号
cout<<a<<endl;
a += b;
cout<<a<<endl;
a -= b;
cout<<a<<endl;
a *= b;
cout<<a<<endl;
a /= b;
cout<<a<<endl;
a %= b;
cout<<a<<endl;
cout<<endl;
/*
输出:
7
9
7
14
7
1
*/
/*
三、自增,自减,也适用于实数
i++,后缀,先运算后自增
++i,前缀,先自增再运算
*/
int c,d;
c = 3;
d = c++; //先运算后自增加,意思先赋值运算,c再自增,相当于 d=c; c=c+1两步
cout<<c<<" "<<d<<endl;
cout<<endl;
/*
输出:
4 3
*/
int c1,d1;
c1 = 3;
d1 = ++c1; //c1先自增,再运算,相当于 c1=c1+1; d1=c1两步
cout<<c1<<" "<<d1<<endl;
cout<<endl;
/*
输出:
4 4
*/
int c2,d2;
c2 = 3;
d2 = c2++; //d2=3, c2=4
cout<<c2++<<" "<<++d2<<endl; //cout也是表达式,也是运算,所以先输出c2,++d2先自增加,再运算输出
cout<<c2<<" "<<d2<<endl;
cout<<endl;
/*
输出:
4 4
5 4
*/
int c3,d3,e3;
c3 = 3;
d3 = ++c3; //d3=4, c3=4
e3 = c3-- - --d3; //e3 = 4 - 3 = 1, c3=3, d3= 3
cout<<c3<<" "<<d3<<" "<<e3<<endl;
/*
输出:
3 3 1
*/
return 0;
}