一、基本数据类型
byte short int long float double char boolean (8大类型)
1、整型 :byte short int long
2、浮点型 :float double
3、字符型 :char a = ‘y’;
4、布尔 :boolean
public static void main(String[] args) {
//byte 1字节 -128-127
byte a = 127;
//short 2字节
short b = 20;
//int 4个字节
int c = 30;
//long 8个字节
long d = 40;
/*float 4个字节
* double 8个字节
* 都是小数类型
* */
float f = 1;
System.out.println(f);//1.0
System.out.printf("%.3f%n",f);//格式化打印小数三位 1.000
double e = .234;
System.out.println(e);//0.234
System.out.printf("%.2f%n",e);//0.23
//boolean 1个字节 布尔 = 赋值 == 判断是不是一个对象
boolean bo = true ? 1==3 : !true;
System.out.println(bo);
//char 2个字节 字符类型
char g = 'a';
System.out.println(g); //a
}
二、类型转换
1.自动类型转换
自动类型转换 也叫隐式类型转换 由小到大 (byte,short,char)--int--long--float—double
这里我们所说的“大”与“小”,并不是指占用字节的多少,而是指表示值的范围的大小。
public static void main(String[] args) {
//自动类型转换 按照从小到大的原理
int a = 3;
long b = a;
System.out.println(b);//3
short c = 10;
int d = c;
System.out.println(d);//10
}
2.强制类型转换
跟自动类型相反是 由大到小转换。
public static void main(String[] args) {
//强制转换
int a = 3;
short b = (short)a;
System.out.println(b);//3
long c = 10;
int d = (int)c;
System.out.println(d);//10
}