浅谈Java中的equals和==
初学Java可能会遇到以下代码:
String str1 = new String("hello");
String str2 = new String("hello");
System.out.println(str1==str2); // false
System.out.println(str1.equals(str2)); // true
一、数据类型
1 基本数据类型
布尔型:boolean(JVM没有明确规定其空间大小,仅规定只能取字面值为true和false)
字符型:char(2 byte)
整数型:byte(1 byte)、short(2 byte)、int(4 byte)、long(8 byte)
浮点型:float(4 byte)、double(8 byte)
2 非基本数据类型——引用类型
如下,String str语句就是声明一个引用类型的变量,并且与创建的对象new String("sissiy")相关联;
String str = new String("sissiy");
如下,引用变量没有和任何对象关联;
String str;
二、关系操作符==
关系操作符生成的是一个boolean结果,计算的是操作数的值之间的关系;
对于基本数据类型的变量,其直接存储的是值,因此用==比较的是值的本身;
int m = 25;
int n = 25;
boolean b = (m ==n); // true
对于引用类型的变量,其存储的不是值本身,而是与其关联的对象在内存中的地址,因此用==比较的是所关联的对象的实际存储的内存地址,即是否指向同一个对象;
通过new String()语句创建不同的对象,分别与其关联的引用类型变量存储的地址也就不同;
String str1 = new String("hello");
String str2 = new String("hello");
String str3 = str1;
boolean b1 = (str1==str2); // false
booleab b2 = (str1==str3); // true
三、equals方法
对于基本数据类型,equals方法不能作用在基本数据类型的变量上;
对于引用类型,equals方法是基类Object中的方法,因此对于所有的继承于Object类的类都会有该方法;
Object类的equals方法比较两个对象的引用是否相等,即是否指向同一个对象;
而String、Date等类对equals方法进行覆盖,用以比较指向的字符串对象所存储的字符串是否相等;
对于没有对equals方法覆盖的类,比较的仍是引用类型的变量所指向的对象的地址;
String str1 = new String("hello");
String str2 = new String("hello");
boolean b = str1.equals(str2);
注明:此文章是转载海子的博文,详情见:http://www.cnblogs.com/dolphin0520/p/3592500.html