当前位置 : 主页 > 编程语言 > c++ >

基于哈希表的 Map 接口的实现。此实现提供所有可选的映射操作,并允许使用

来源:互联网 收集:自由互联 发布时间:2021-07-03
HashMap是基于HashCode的,在所有对象的超类Object中有一个HashCode()方法,但是它和equals方法一样,并不能适用于所有的情况,这样我们就需要重写自己的HashCode()方法。 import java.util.*;publi
HashMap是基于HashCode的,在所有对象的超类Object中有一个HashCode()方法,但是它和equals方法一样,并不能适用于所有的情况,这样我们就需要重写自己的HashCode()方法。
import java.util.*;
public class Exp2 {
    public static void main(String[] args) {
        HashMap h2 = new HashMap();
        for (int i = 0; i < 10; i++) {
            h2.put(new Element(i), new Figureout());
            System.out.println("h2:");
            System.out.println("Get the result for Element:");
        }
        Element test = new Element(3);
        if (h2.containsKey(test)) {System.out.println((Figureout) h2.get(test));} 
        else {
            System.out.println("Not found");
        }
    class Element {
        int number;
        public Element(int n) {
            number = n;
            }
    class Figureout {
    Random r = new Random();
    boolean possible = r.nextDouble() > 0.5;
    public String toString() {
    if (possible) {
    return "OK!";
    } else {
    return "Impossible!";
    }
    }
}
Element的HashCode方法继承自Object,而Object中的HashCode方法返回的HashCode对应于当前的地址,也就是说对于不同的对象,即使它们的内容完全相同,用HashCode()返回的值也会不同。这样实际上违背了我们的意图。因为我们在使用HashMap时,希望利用相同内容的对象索引得到相同的目标对象,这就需要HashCode()在此时能够返回相同的值。在上面的例子中,我们期望new Element(i) (i=5)与 Element test=new Element(5)是相同的
class Element {
    int number;
    public Element(int n) {
        number = n;
    }
    public int hashCode() {
        return number;
    }
    public boolean equals(Object o) {
        return (o instanceof Element) && (number == ((Element) o).number);
    }
}
上一篇:java 服务器端socket
下一篇:hibernate使用
网友评论