Equals and Comparable with Sets

后端 未结 1 1481
鱼传尺愫
鱼传尺愫 2020-12-16 02:09

I posted some code here which correctly solved a problem the poster had. OP wanted to remove duplicates and bring certain special items to the top of a list. I used a

相关标签:
1条回答
  • 2020-12-16 02:57

    It seems like this is pretty well documented in JavaDoc of TreeSet (bold mine):

    Note that the ordering maintained by a set (whether or not an explicit comparator is provided) must be consistent with equals if it is to correctly implement the Set interface. (See Comparable or Comparator for a precise definition of consistent with equals.) This is so because the Set interface is defined in terms of the equals operation, but a TreeSet instance performs all element comparisons using its compareTo (or compare) method, so two elements that are deemed equal by this method are, from the standpoint of the set, equal. The behavior of a set is well-defined even if its ordering is inconsistent with equals; it just fails to obey the general contract of the Set interface.

    Here is an example of the only (?) JDK class that implements Comparable but is not consistent with equals():

    Set<BigDecimal> decimals = new HashSet<BigDecimal>();
    decimals.add(new BigDecimal("42"));
    decimals.add(new BigDecimal("42.0"));
    decimals.add(new BigDecimal("42.00"));
    System.out.println(decimals);
    

    decimals at the end have three values because 42, 42.0 and 42.00 are not equal as far as equals() is concerned. But if you replace HashSet with TreeSet, the resulting set contains only 1 item (42 - that happened to be the first one added) as all of them are considered equal when compared using BigDecimal.compareTo().

    This shows that TreeSet is in a way "broken" when using types not consistent with equals(). It still works properly and all operations are well-defined - it just doesn't obey the contract of Set class - if two classes are not equal(), they are not considered duplicates.

    See also

    • What does comparison being consistent with equals mean ? What can possibly happen if my class doesn't follow this principle?
    0 讨论(0)
提交回复
热议问题