一次机缘巧合,在idea中调试代码的时候,跳到了.class文件中,刚好调试的代码是switch,于是就有了下面的内容:
对于java语言来说,在java 7之前,
switch语句中的条件表达式的类型只能是与整数类型兼容的类型,包括基本类型char、byte、short和int,与这些基本类型对应的封装类character、byte、short和integer,
还有枚举类型。这样的限制降低了语言的灵活性,使开发人员在需要根据其他类型的表达式来进行条件选择时,不得不增加额外的代码来绕过这个限制。为此,java 7放宽
了这个限制,额外增加了一种可以在switch语句中使用的表达式类型,那就是很常见的字符串,即string类型。
源代码:
[java] view plain copy
- public class testswitch {
- public static void main(string[] args) {
- test("a");
- }
- public static void test(string type) {
- switch (type) {
- case "a":
- system.out.println("aa");
- break;
- case "b":
- system.out.println("bb");
- break;
- }
- }
- }
[java] view plain copy
- public class testswitch {
- public static void main(string[] args) {
- test("a");
- }
- public static void test(string type) {
- switch (type) {
- case "a":
- system.out.println("aa");
- break;
- case "b":
- system.out.println("bb");
- break;
- }
- }
- }
编译后的.class文件:
[java] view plain copy
- import java.io.printstream;
- public class testswitch
- {
- public testswitch()
- {
- }
- public static void main(string args[])
- {
- test("a");
- }
- public static void test(string type)
- {
- string s;
- switch((s = type).hashcode())
- {
- default:
- break;
- case 97: // 'a'
- if(s.equals("a"))
- system.out.println("aa");
- break;
- case 98: // 'b'
- if(s.equals("b"))
- system.out.println("bb");
- break;
- }
- }
- }
从代码可以看出,java虚拟机实际上是将字符串转化为哈希值,还是利用整数类型兼容的类型来进行判断,但是哈希值可能存在值相等的情况,所以又对字符串进行了2次比较。
总结:switch能判断字符串是因为将字符串做了哈希运算,本质上还是数字,java虚拟机没有变化,只是编译器发生了变化。
不过值得一提的是,通过这件事,给我们提供了一种新的思路,通过查看编译后的java文件,来探究底层实现方法。