欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

String的hashCode

程序员文章站 2022-03-15 20:53:50
...

hashCode方法源码:

    /**
     * Returns a hash code for this string. The hash code for a
     * {@code String} object is computed as
     * <blockquote><pre>
     * s[0]*31^(n-1) + s[1]*31^(n-2) + ... + s[n-1]
     * </pre></blockquote>
     * using {@code int} arithmetic, where {@code s[i]} is the
     * <i>i</i>th character of the string, {@code n} is the length of
     * the string, and {@code ^} indicates exponentiation.
     * (The hash value of the empty string is zero.)
     *
     * @return  a hash code value for this object.
     */
    public int hashCode() {
        int h = hash;
        if (h == 0 && value.length > 0) {
            char val[] = value;

            for (int i = 0; i < value.length; i++) {
                h = 31 * h + val[i];
            }
            hash = h;
        }
        return h;
    }

根据String中的代码,可以知道value存储该字符串的各个字符。
例如String str = “123”,
‘1’ 49
‘2’ 50
‘3’ 51
则value值为49,50,51

    /** The value is used for character storage. */
    private final char value[];

    /** Cache the hash code for the string */
    private int hash; // Default to 0
选择31的原因

选择31是因为31是一个质数。当一个数乘以2时,直接拿该数左移一位,最后一位补0.
在存储数据计算hash地址的时候,我们希望尽量减少有同样的hash地址。
所以选择系数的时候,要选择尽量长的系数,并且让乘法尽量不要溢出。
31的乘法可以有i*31==(i<<5)-1来表示。并且31只占用5bits

相关标签: hashCode