了解排序&amp;的HashCode未排序的ArrayList <object>

时间:2017-06-10 10:15:04

标签: java sorting arraylist integer hashcode

我在一个小项目上工作并遇到了问题(?)我无法解释。这是我的代码:

====主=====

    Beacon b1 = new Beacon("192.168.0.12", 72.0);
    Beacon b4 = new Beacon("192.168.0.13", 72.0);
    Beacon b2 = new Beacon("192.168.0.24", 84.0);
    Beacon b3 = new Beacon("192.168.0.5", 64.0);
    ArrayList<Beacon> alBeacons = new ArrayList();

    alBeacons.add(b4);
    alBeacons.add(b2);
    alBeacons.add(b1);
    alBeacons.add(b3);

    Room room = new Room("Testroom", alBeacons);

====信标====

public class Beacon {
String sIP;
private int ID = 0;
private Double RSSi;



public Beacon(String sIP, double RSSi){
    this.sIP = sIP;
    this.RSSi = RSSi;
    setID();
}

private void setID(){
    String sTemp[] = sIP.split("\\.");
    this.ID = Integer.parseInt(sTemp[sTemp.length-1]);

}

public String getsID(){
    return String.valueOf(ID);
}

public int getID(){
    return ID;
}
}

====间====

    public Room(String sName, ArrayList<Beacon> alBeacons){
    System.out.println("Unsorted: " + alBeacons.hashCode());
    for(Beacon b: alBeacons){
        System.out.println(b.getID());
    }
    alBeacons.sort(new Comparator<Beacon>() {

        @Override
        public int compare(Beacon o1, Beacon o2) {
            return o1.getID() - o2.getID();
        }
    });
    System.out.println("Sorted: " + alBeacons.hashCode());
    for(Beacon b: alBeacons){
        System.out.println(b.getID());
}

}

现在我的问题是,在未排序的状态下,无论Beacons如何被插入到ArrayList中,我总是得到相同的HashCode(),1498918675。一旦我对它们进行排序,我得到一个不同的HashCode ,这是有道理的。但问题现在是,根据ArrayList的排序方式,我在排序后得到一个不同的HashCode。这是.sort()固有的,还是我对实数排序的修正呢?

编辑:以下是一些输出示例:

Unsorted: 1498918675
13
24
12
5
Sorted: 341854239
5
12
13
24

Unsorted: 1498918675
24
5
12
13
Sorted: 638040239
5
12
13
24

Unsorted: 1498918675
12
5
24
13
Sorted: 1060992495
5
12
13
24

2 个答案:

答案 0 :(得分:1)

List 的hashCode必须(界面内的合约):

int hashCode = 1;
for (E e : list)
    hashCode = 31*hashCode + (e==null ? 0 : e.hashCode());
return hashCode;

因此,元素的排序对于确定哈希码非常重要:为排序或未排序的列表获取不同的哈希码是正常的。

但是你根据ArrayList的排序方式声明',我在排序后得到一个不同的HashCode':所以基本上你说的是:

  • 案例1: 你从[b,a,c]开始,它被排序为[a,b,c]你得到hashCode X
  • 案例2: 你从[c,b,a]开始,它被排序为[a,b,c]你得到hashCode Y

如果hashcode类的Beacon方法取决于Beacon的字段,则不会发生这种情况。你没有覆盖hashCode因此它是的基本实现,“通常通过将对象的内部地址转换为int”(来自javadoc)来实现。

要解决您的问题,您应该在hashCode内定义自己的Beacon

public int hashCode() {
    final int prime = 31;
    int res = (sIP != null) ? sIP.hashCode() : 1;
    res = res * prime + ID;
    return res * prime + Double.hashCode(RSSi);
}

答案 1 :(得分:0)

根据内容和顺序计算列表的哈希码。

 public int hashCode() {
        int hashCode = 1;
        for (E e : this)
            hashCode = 31*hashCode + (e==null ? 0 : e.hashCode());
        return hashCode;
    }