对于一般的基本数据类型关系不多讲,这里主要讲下关系操作符 == 和 != 用在对象上会有什么不一样,看个例子:
public class text {
public static void main(String[] args) {
Integer n1 = new Integer(47);
Integer n2 = new Integer(47);
System.out.println(n1 == n2);
System.out.println(n1 != n2);
}
}
//结果为:
false
true
一般人肯定会认为结果肯定是先true,再false, 因为两个Integer对象都相同啊。但对于两个对象尽管内容一样但是引用却不一样,而== 和 != 比较的就是对象的引用。所以是先false再true。
那如果想比较内容是否一样呢,可以使用所有对象都适用的特殊方法equals()。看下面例子:
public class text {
public static void main(String[] args) {
Integer n1 = new Integer(47);
Integer n2 = new Integer(47);
System.out.println(n1.equal(n2));
}
}
//结果为:
true
结果如我们所料,但事情总没有那么简单,假如你创建了自己的类,如下所示:
class Tank{
int level;
}
public class text {
public static void main(String[] args) {
Tank t1 = new Tank();
Tank t2 = new Tank();
t1.level = t2.level = 100;
System.out.println(t1.equals(t2));
}
}
//结果为:
false
事情又变得复杂了:结果又是false!这是由于equals()的默认行为是比较引用的。所有除非你自己在新类中覆盖equals()方法,否则不会出现希望的结果。如下:
class Tank{
int level;
public boolean equals(Tank obj) {
return level == obj.level;
}
}
public class text {
public static void main(String[] args) {
Tank t1 = new Tank();
Tank t2 = new Tank();
t1.level = t2.level = 100;
System.out.println(t1.equals(t2));
}
}
//结果为:
true
对于大多数Java类库都实现了equals()方法,以便用来比较对象的内容,而非比较对象的引用