public class Demo1 {
public static void main(String [] args){
/*
* 四个整数型数据类型
* 数据类型 所占字节
* byte 1
* short 2
* int 4
* long 8
* 默认的是int类型,在使用long类型的时候要加上L;
*/
byte a=127;
short b =9;
int c=999;
long d = 15L;
/*
* 两个浮点型数据类型
* 数据类型 所占字节
* float 4
* double 8
* 默认的是double类型,在使用float类型时加上f或者F;
*/
float m=14.123456789F;
double n=14.123456789;
/*
* boolean类型
* 不能转换为其他数据类型
* 在使用时不能用0或者其他数字代表true或者flase;
*/
boolean e=true;
boolean h=false;
/*
* 字符型数据类型 char类型(2字节)
* ''表示字符 ""表示字符串
* 字符型可以参加数值运算,是因为char类型在字符编码表中有对应的数值
* Java底层采用UTF-8编码来存储字符
*/
char f='w';
char g='你';
System.out.println(a);
System.out.println(m);
System.out.println(n);
System.out.println(f+0);
System.out.println(g+0);
System.out.println(e);
}
}
结果如下:
基本数据类型转换
public class Demo2 {
public static void main(String [] args){
/*
* 基本数据类型转换
* boolean类型的不能进行转换
* 容量由小到大排序:byte,short,char->int->long->float->double
* 容量由小到大:自动转换
* 容量由大到小:不进行自动转换,但是支持强制转换(可能出现的问题:精度降低,数据溢出)
* 多种类型的数据混合运算时,系统会自动将所有数据类型转换为容量最大的数据类型
* long类型占用8个字节,float占用4个字节,但是float的容量比long大,是因为在系统中浮点型的数据存储机制与整数型数据存储机制不一样.
*/
byte a=127;
short b=a;
int c=258;
byte d=(byte)c;
float f=1.47f;
int g=(int)f;
float h=a+c+d;
System.out.println(b);
System.out.println(c);
System.out.println(d);
System.out.println(f);
System.out.println(g);
System.out.println(h);
}
}
结果如下: