當前位置: 首頁>>編程示例 >>用法及示例精選 >>正文


Java Overriding toString()用法及代碼示例

這篇文章類似於Java中的Overrideing equals方法。考慮以下Java程序:更多

// file name:Main.java 
  
class Complex { 
    private double re, im;          
  
    public Complex(double re, double im) { 
        this.re = re; 
        this.im = im; 
    } 
} 
   
// Driver class to test the Complex class 
public class Main { 
    public static void main(String[] args) { 
        Complex c1 = new Complex(10, 15); 
        System.out.println(c1); 
    } 
}

輸出:

Complex@19821f

輸出是類名,然後是“ at”符號,然後是對象的hashCode末尾。 Java中的所有類都直接或間接地從Object類繼承(請參見此點1)。 Object類具有一些基本方法,例如clone(),toString(),equals()等。對象中的默認toString()方法將打印“類名@哈希碼”。我們可以在類中重寫toString()方法以輸出正確的輸出。例如,在下麵的代碼中,toString()被覆蓋以打印“ Real + i Imag”表格。


// file name:Main.java 
  
class Complex {   
    private double re, im; 
  
    public Complex(double re, double im) { 
        this.re = re; 
        this.im = im; 
    } 
      
    /* Returns the string representation of this Complex number. 
       The format of string is "Re + iIm" where Re is real part 
       and Im is imagenary part.*/
    @Override
    public String toString() { 
        return String.format(re + " + i" + im); 
    } 
} 
  
// Driver class to test the Complex class 
public class Main { 
    public static void main(String[] args) { 
        Complex c1 = new Complex(10, 15); 
        System.out.println(c1); 
    } 
}

輸出:

10.0 + i15.0

通常,重寫toString()是一個好主意,因為當在print()或println()中使用對象時,我們會得到正確的輸出。

參考文獻:
Effective Java by Joshua Bloch



相關用法


注:本文由純淨天空篩選整理自 Overriding toString() in Java。非經特殊聲明,原始代碼版權歸原作者所有,本譯文未經允許或授權,請勿轉載或複製。