說到toString()方法,就不得不先看看Object類.
Object 類是一個超級類,是一切類的父類;看看sun的JDK就知道,其實他的方法並不多,但都非常實用.
我始終對Object有一絲神秘感,昨天朋友問起Clone()仍有很多困惑;
所以今天決定,來揭開Object的面紗.下面就是我通過翻閱資料和閱讀JDK後,對Object的一些理解,如有錯誤請指出:
package java.lang;
public class Object { }
在JDK1.4中它有11個方法,主要的方法有 clone(), equals(), getClass(), notfiy(), toString(), wait() …….
我在這裡隻重點說說clone(), equals(), toString()
1.clone()
所有具有clone功能的類都有一個特性,那就是它直接或間接地實現瞭Cloneable接口。否則,我們在嘗試調用clone()方法時,將會觸發CloneNotSupportedException異常。
protected native Object clone() throws CloneNotSupportedException;(在JDK中)
可以看出它是一個protected方法,所以我們不能簡單地調用它,
native : 關鍵字native,表明這個方法使用java以外的語言實現。所修辭的方法不包括實現. (參考:http://blog.csdn.net/mingjava/archive/2004/11/14/180946.aspx)
在這裡我就不具體講clone() 是如何實現Cloneable接口,如何覆蓋; 這說說clone的作用和用法;
對於 object x,
x.clone() != x
x.clone().getClass() == x.getClass()
x.clone().equals(x)
x.clone().getClass() == x.getClass()
以上返回的值都為true
2 equals()
其原型為:
public boolean equals(Object obj) {
return (this == obj);
}
Object 中定義的 equals(Object) 是比較的引用,與 “==” 作用相同。
3. toString()其原型為:
public String toString() {
return getClass().getName() + “@” + Integer.toHexString(hashCode());
}
toString() 方法是最為常見的,在很多類中都對他進行覆蓋:
先看兩個例子
例一:
class Example{
private String s = “abc”;
public Example(String str) {
this.s = str + this.s ;
}
public static void main(String[] args){
Example ex = new Example(“123”);
System.out.println(ex);
System.out.println(ex.s);
}
public String toString() {
this.s = “cba” +this.s;
return s;
}
輸出結果:
cba123abc
cba123abc
例二.
class Example{
private String s = “abc”;
public Example(String str) {
this.s = str + this.s ;
}
public static void main(String[] args){
Example ex = new Example(“123”);
System.out.println(ex);
System.out.println(ex.s);
}
public String toString2() {
this.s = “cba” + this.s;
return s;
}
輸出結果:
Example@1858610
123abc
例一:和例二;隻修改瞭tostring的方法名,但執行卻有很大的不同 ;
例一中: tostring()被覆蓋,在執行new Example(“123”);的時候,先調用構造方法(暫不執行)再加載執行父類中的方法tostring()(這裡被覆蓋,則運行本類中的方法代碼),最後執行構造方法;這裡涉及到執行的順序,不著討論; 然後在執行到 System.out.println(ex); 時,實際是打印方法tostring()返回的string值;
在例二中:tostring()並沒有被覆蓋,toString2() 是類中普通的方法, 所以new Example(“123”);時,不會加載執行toString2() ,所以s值為”123abc”;而System.out.println(ex);打印出來的結果,是原型中看到的 類名 + @ + 十六進制數字表示的該對象的散列碼
方法tostring()使用還很多,我們在編寫類的時候,都最好能有自己的tostring,把原型覆蓋掉;