1.1、基本数据类型

  1. 1.1.1、数值型
  2. 1.1.2、字符型
  3. 1.1.3、布尔型

1.1.1、数值型

数值表示的是一个个的数字,主要分为以下两种:

​ 1、整数类型:byte、short、int、long

​ 2、小数类型:float、double

在整数类型中比较常用的类型就是int类型,直接表示一个整数。

​ byte类型的长度<short类型的长度<int类型的长度<long类型的长度。

​ 在使用的时候,之所以说int类型比较常用,是因为一个默认的数字的类型就是int类型。

public class TestDemo02{
	public static void main(String args[]){
		byte b = 300 ;
	}
}

以上的300是一个数字,那么只要是数字,在程序中都可以使用int类型来进行表示。

而且,各个数据类型之间也可以进行转型的操作,转型的原则:位数小的类型转成位数大的类型将自动完成,如果相反,则必须强制完成。

  • byte –> int:自动完成
  • int –> byte:强制完成
public class TestDemo03{
	public static void main(String args[]){
		int x = 30 ;
		byte b = (byte)x ;
	}
}

在数值中还包括了float和double类型,其中double类型的数据可以存放的内容是最多的。

一个默认的小数数字,其类型就是double类型。

public class TestDemo04{
	public static void main(String args[]){
		double x = 33.33111 ;
		System.out.println(x) ;
	}
}

那么,如果现在使用float接受以上的数字,则就会出现问题:

public class TestDemo05{
	public static void main(String args[]){
		float x = (float)33.33111 ;
		System.out.println(x) ;
	}
}

那么,以上的程序,也可以使用另外一种方式完成:

public class TestDemo05{
	public static void main(String args[]){
		float x = 33.33111f ;
		System.out.println(x) ;
	}
}

长整型的数据中也可以在数字后加一个“L”表示出来

public class TestDemo06{
	public static void main(String args[]){
		long x = 30L ;
		System.out.println(1l + 11) ;
		System.out.println(x) ;
	}
}

1.1.2、字符型

字符型表示的是一个个的字符,只要是字符就要使用“”括起来,例如,以下定义了一个字符:

public class TestDemo07{
	public static void main(String args[]){
		char c = 'A' ;	// 使用'括起来,表示一个字符
		System.out.println(c) ;
	}
}

在操作的时候,字符和int间也是可以进行相互转换的。

public class TestDemo08{
	public static void main(String args[]){
		char c = 'A' ;	// 使用'括起来,表示一个字符
		int x = c ;
		System.out.println(x) ;
	}
}

A变为数字之后是65,因为在java中使用的是unicode编码操作的。Unicode本身兼容ASCII码。

那么下面继续观察,让数字加一之后,变回字符:

public class TestDemo09{
	public static void main(String args[]){
		char c = 'A' ;	// 使用'括起来,表示一个字符
		int x = c ;
		x++ ;	// x自增1
		char y = (char)x ;
		System.out.println(y) ;
	}
}

那么,在字符中,还需要注意的是,有一系列的转义字符:\、\”、\’、\n、\t

这些转义字符有特殊的含义:

public class TestDemo10 {
	public static void main(String args[]){
		System.out.println("\"hello\nw\torld\"") ;
	}
}

开发中以上的内容使用较多。

思考:一个字符能不能放下一个汉字?

在各个语言中都说过,一个汉字=2个字符,但是在java中由于使用了UNICODE编码,UNICODE编码属于16位的编码,所以可以放下任意的内容,所以在java中字符是可以存放汉字的。

public class TestDemo11 {
	public static void main(String args[]){
		char c = '中' ;
		int x = c ;	// 将c变为数字
		System.out.println(c) ;
		System.out.println(x) ;
	}
}

1.1.3、布尔型

布尔是一个数学家的名字,在boolean类型中,只有两种取值:true或false。但是在这里要特别提醒的是,如果学习过C语言的同学们必须注意,在C语言中使用0表示false,使用非0表示true,但是这种特性在java中不存在。

public class TestDemo12 {
	public static void main(String args[]){
		boolean flag = true ;
		System.out.println(flag) ;
	}
}

但是,从实际的程序来看,布尔类型的数据,往往作为程序的控制出现,与if之类的语句结合。

public class TestDemo13 {
	public static void main(String args[]){
		boolean flag = true ;
		if(flag){	// flag==true
			System.out.println("欢迎光临!") ;
		}
	}
}

转载请注明来源