【代码积累】IntegerObjectCompare

/*Study autoBoxing and unboxing;
 * Object compare in JAVA*/
public class Test {
	public class Value {
		public int i;
		
//		public int hashCode()  
//	    {  
//	        return i;  
//	    } 
		
		public boolean equals(Object obj) {
			return i == ((Value)obj).i;
		}
	}
	
	public void test() {
		int i = 59;  /*使用primitive就不能使用Integer类中的方法*/
		Integer num1 = new Integer(59);
		Integer num2 = new Integer(59);
		Integer num3 = Integer.valueOf(59); /*内部执行的是new Integer(59),等同于 Integer num3 = 59;*/
		int i_1 = num3;
		
		Value i1 = new Value();
		Value i2 = new Value();
		i1.i = i2.i = 59;
		
		System.out.println(i == num1);
		System.out.println(num1 == num2 );
		System.out.println(num1 == num3 );
		System.out.println("i_1="+i_1);  /*auto unboxing,执行了 num3.intValue();*/ 
		System.out.println("num1.equals(num2)="+num1.equals(num2));
		System.out.println("num3.equals(i_1)="+num3.equals(i_1));  /*AutoBoxing from int to Integer,and execute Integer.intValue()*/
		System.out.println("i1.equals(i2)="+i1.equals(i2));
		
		/*关于使用equals比较对象:
		 * equals是Object类的方法,其实现如下:
		 * public boolean equals(Object obj) {
        	return (this == obj);
    		}
    		可见在基类中,默认比较的是两个对象的引用地址,实质比较的是两个对象是否是同一个对象。
    		如果需要用equals比较两个对象的值是否相等,需要重写(override这个基类的方法)
    	*/
	}
}

/*小结:
 * 1、自动装箱,得到的是对象,直接比较是不相等的;
 * 2、自动拆箱,得到的是primitive类型,直接比较的话,只比较数值就行。
 * 
 * equals() 用来比较两个对象的值是否相等,如两个String对象的内容是否相等;== 用来比较两个对象(的引用,指针地址,内存地址)是否相同,或两个primitive类型的值是否相等。
 * */

你可能感兴趣的:(【代码积累】IntegerObjectCompare)