基本数据类型 | 字节数 | 二进制位数 | 最小值 | 最大值 | 默认值 |
byte | 1 | 8-bit | -2^7 | +2^7 - 1 | 0 |
short | 2 | 16-bit | -2^15 | +2^15 - 1 | 0 |
int | 4 | 32-bit | -2^31 | +2^31 - 1 | 0 |
long | 8 | 64-bit | -2^63 | +2^63 - 1 | 0 |
float | 4 | 32-bit | IEEE754 | IEEE754 | 0.0f |
double | 8 | 64-bit | IEEE754 | IEEE754 | 0.0d |
char | 2 | 16-bit | \u0000 | \uFFFF | \u0000 |
boolean | ---- | ---- | ---- | ---- | false |
void |
boolean: The boolean
data type has only two possible values: true
and false
. Use this data type for simple flags that track true/false conditions. This data type represents one bit of information, but its "size" isn't something that's precisely defined.
1 class Student { 2 String ID; 3 String Name; 4 int Age; 5 public Student(String id, String name, int age) { 6 ID = id; 7 Name = name; 8 Age = age; 9 } 10 } 11 12 int a = 10; 13 Student b = new Student("070271006", "喵小咪", 18);
上述变量的堆栈对应情况如下图:
1 int a = 10; 2 int b = a + 20;
一般情况下,引用类型在声明的时候,只是创建了一个变量,其具体的空间并没有分配。需要使用关键字new来开辟空间存储数据。
例如:
1 Student student = null; // 此时只是声明了一个Student变量 2 // student.toString(); // 这时候使用该变量访问就会出错:该行会报空指针异常 3 student = new Student("070271006", "喵小咪", 18);// 此时会告知JVM开辟空间存储数据
上述两行代码的空间分配JVM是这样处理的:
1 int a = 10; 2 int b = a; // 此时,b的值就是10 3 // 如果修改a的值,b的值不会发生变化。 4 a = 100; // 此时a的值是100,b的值还是10
一般情况下,引用类型的赋值传递的是堆内存地址,例如:
1 Student stuMiao = new Student("070271006", "喵小咪", 18); 2 Student stuNodin = stuMiao;
上述赋值操作并没有新创建对象,而是在栈中声明了一个名为stuNodin的变量,其变量值和stuMiao这个变量的值相同,都是指向Student这个对象的堆内存的地址。形象的比喻,就像是同一个人的两个名字一样。
1 stuMiao.Age = 16; // 此时,stuMiao.Age 等于 16;stuNodin.Age 等于 16;
同样地,String作为一种特殊类型,仍然不适用上述规则。详见下篇文章。
算数运算符 | +,-,×,/,%取余 ,++,--,- 取反 |
关系运算符 | >,<,>=,<=,!=,== |
逻辑运算符 | !非, &与,|或,^异或,&& 短路与,|| 短路或 |
按位运算符 | ~按位取反, &按位与, |按位或, ^按位异或 |
移位运算符 | << 左移 ,>>带符号右移, >>>不带符号右移 |
三目条件运算符 | D=表达式1?表达式2 :表达式3 |
赋值运算符 | = ,+=,-= |
1 for (元素类型t 元素变量 x : 遍历对象list) { 2 引用了x的java语句; 3 }
foreach是一种for的简化版本,主要用于数组和集合的简单遍历操作。但是其也有局限性,其只提供遍历功能,不能进行删除、替换等操作,对于需要记录并使用索引的循环,foreach本身也无法实现(可以自己记录实现)。所以无法替代for循环,但是都可以转换为对应的for循环。
1 // 实例一,遍历数组: 2 int[] arrays = new int[] {1, 2, 3}; 3 for (int i : arrays) { 4 System.out.println(i); 5 } 6 7 //实例二,遍历集合: 8 List<String> list = new ArrayList<String>(); 9 for (String item : list) { 10 System.out.println(item); 11 }