1,equals()
以下代码的执行结果分别为?
public class Main {
public static void main(String[] args) {
String s1 = "hello world";
String s2 = "hello world";
String s3 = new String("hello world");
String s4 = "hello"+" world";
String s5 = "hello"+new String(" world");
String s6 = "hello";
String s7 = s6+" world";
System.out.println(s1.equals(s2));
System.out.println(s1.equals(s3));
System.out.println(s1.equals(s4));
System.out.println(s1.equals(s5));
System.out.println(s1.equals(s7));
}
}
以上输出结果均为true,原因如下:
equals()只能用于引用类型之间,是在Object类中定义的,默认是比较地址,常常被重写来比较具体的属性值是否相同。String类重写了equals()来比较字符串的内容是否相同。
2,引用类型
以下代码的执行结果分别为?
public class Main {
public static void main(String[] args) {
String s1 = "hello world";
String s2 = "hello world";
String s3 = new String("hello world");
String s4 = "hello"+" world";
String s5 = "hello"+new String(" world");
String s6 = "hello";
String s7 = s6+" world";
System.out.println(s1==s2);
System.out.println(s1==s3);
System.out.println(s1==s4);
System.out.println(s1==s5);
System.out.println(s1==s7);
}
}
运行上述代码可知,s1==s2与s1==s4的结果为true,其他结果均为false。
原因如下:
由于String类型是引用数据类型而不是基本数据类型,因此此处==比较的是引用的地址是否相同。
此处s1新建一个字面量对象"hello world"存储在堆中,并同时缓存到常量池中,因此s2直接复用常量池中的对象。因此利用二者地址相同,s1==s2的结果为true。
s3在new String()的时侯会再创建一个字符串对象,并引用该字符串的内容,因此s3与s1的地址并不相同,因此s1==s3的结果返回false。同理s1==s5的结果也返回false。
由于s4是使用两个字面量进行拼接,因此会直接复用常量池中的对象。因此s4的地址和s1的相同,因此s1==s4的结果返回true。
又因为s6是一个变量,因此在所以在编译期并不会直接连接好,而是会创建一个新的对象存储hello world。因此s7与s1的地址并不相同,结果返回false。
3,包装类
以下代码的执行结果分别为?
public class Main {
public static void main(String[] args) {
Integer i1 = 127;
Integer i2 = 127;
Integer i3 = 128;
Integer i4 = 128;
Integer i5 = new Integer(127);
int i6 = 127;
System.out.println(i1==i2);
System.out.println(i3==i4);
System.out.println(i1==i5);
System.out.println(i1==i6);
}
}
执行上述代码可知,i1==i2的结果为true,i3==i4的结果为false,i1==i5的结果为false,i1==i6的结果为true。
原因如下:Integer.valueOf()会复用-128到127范围内的数据,因此范围在-128到127之间会返回true,即i1==i2的结果为true,i3==i4的结果为false。由于i5在new Integer()的时候会创建一个新的对象,因此i1和i5的地址并不相同,因此结果返回false。i6和i1进行==比较时,基本型封装型将会自动拆箱变为基本型后再进行比较,因此Integer()会自动拆箱为int类型再进行比较,因此返回true。