1. 程式人生 > >Java中Object.toString()返回的字符串的含義

Java中Object.toString()返回的字符串的含義

array ash ++ @+ getname 字符串 十六 PE 可見

toString()是Object類的一個公有方法,而所有類都繼承自Object類。所以所有類即使不實現toString方法,也會存在從Object類繼承來的toString。

類可以實現toString方法,在控制臺中打印一個對象會自動調用對象類的toString方法,所以我們可以實現自己的toString方法在控制臺中顯示關於類的有用信息。

而八種基本數據類型沒有toString()方法,只能使用相應的包裝類才能使用toString()。

Object的toString方法返回的字符串很像是 對象名+@+對象內存地址,但事實並不是這樣。

這裏寫了兩段測試代碼。

第一段,在list中存儲對象的toString返回的字符串。

第二段,在list中存儲對象本身。

兩段代碼都會嘗試找到list中的重復元素,並打印出它們。

public static void list_obj_toString(int size) {
        List<Object> list = new ArrayList<>();
        int repeated = 0;
        for (int i = 0; i < size; i++) {
            Object obj = new Object();
            if (list.contains(obj.toString())) {
                System.out.println(
"Object " + obj.toString() + " has repeated!"); repeated++; } else { list.add(obj.toString()); } } System.out.println("Total Object.toString():" + size); System.out.println("Repeated Object.toString():" + repeated); }
public static void list_obj(int size) {
        List<Object> list = new ArrayList<>();
        int repeated = 0;
        for (int i = 0; i < size; i++) {
            Object obj = new Object();
            if (list.contains(obj)) {
                System.out.println("Object " + obj.toString() + " has repeated!");
                repeated++;
            } else {
                list.add(obj);
            }
        }
        System.out.println("Total Object:" + size);
        System.out.println("Repeated Object:" + repeated);
    }
    public static void main(String[] args) {
        list_obj_toString(2000000);
        list_obj(2000000);
    }

在main中分別調用這兩個方法,會得到結果

Object.toString() java.lang.Object@7f385cbe has repeated!
Object.toString() java.lang.Object@26cfdc15 has repeated!
... ...
Object.toString() java.lang.Object@f2eb847 has repeated!
Object.toString() java.lang.Object@6f99ed9f has repeated!
Total Object.toString():200000
Repeated Object.toString():8
Total Object:200000
Repeated Object:0

從結果看,對象的toString出現了8次重復,而對象的句柄(另一種說法是“對象的引用”)當然一次重復都沒有。

問題出在哪裏了呢?至少我們現在可以肯定“對象名+@+對象內存地址”這種說法肯定不對,因為內存地址肯定不會重復的。

先看看Java API文檔,其中關於Object.toString()有這樣一段描述

The toString method for class Object returns a string consisting of the name of the class of which the object is an instance, the at-sign character `@‘, and the unsigned hexadecimal representation of the hash code of the object. In other words, this method returns a string equal to the value of:

 getClass().getName() + ‘@‘ + Integer.toHexString(hashCode())

那麽,原因就找到了。@後面的是轉換為十六進制的對象的哈希值,所以當哈希沖突時,Object.toString()返回的字符串也不可避免地重復了。

以後再有人說toString會打印出對象的內存地址,你可以毫不猶豫地反駁他。

PS:進行這次測試時,list_obj_toString方法在idea中以大約35%的CPU(intel i7 6500u)占用跑了大概三四分鐘,而list_obj大概只用了不到五秒,可見,toString()方法在200000這個數量級上展現了它較低的時間效率,大概是由於大量字符串拼接導致的?希望以後有時間再做個測試。

PS:當list_obj_toString的參數size為100000時,出現了0次重復。而參數為200000時,出現了8次重復。可見java 10的hashCode()的哈希算法在這個數量級上會開始出現大量的哈希沖突。

Java中Object.toString()返回的字符串的含義