为什么此比较输出为true
?
import scala.collection.immutable.ListSet
Set(1) == ListSet(1) // Expect false
//Output
res0: Boolean = true
从更一般的意义上讲,实际上是如何进行比较的?
答案 0 :(得分:7)
由于继承链Set <: GenSet <: GenSetLike
有点长,因此在哪里寻找equals
的代码可能并不立刻明显,所以我想也许我在这里引用它:
/** Compares this set with another object for equality.
*
* '''Note:''' This operation contains an unchecked cast: if `that`
* is a set, it will assume with an unchecked cast
* that it has the same element type as this set.
* Any subsequent ClassCastException is treated as a `false` result.
* @param that the other object
* @return `true` if `that` is a set which contains the same elements
* as this set.
*/
override def equals(that: Any): Boolean = that match {
case that: GenSet[_] =>
(this eq that) ||
(that canEqual this) &&
(this.size == that.size) &&
(try this subsetOf that.asInstanceOf[GenSet[A]]
catch { case ex: ClassCastException => false })
case _ =>
false
}
本质上,它检查另一个对象是否也是GenSet
,如果是,它尝试执行一些快速失败检查(例如比较size
和调用canEqual
),如果大小相等,则大概通过检查每个元素来检查该集合是否是另一个集合的子集。
因此,用于在运行时表示集合的确切类无关紧要,重要的是,被比较的对象也是GenSet
并且具有相同的元素。
答案 1 :(得分:4)
集合库对相等性和散列采用统一的方法。首先是将集合划分为集合,图和序列。
...
另一方面,在同一类别中,当且仅当它们具有相同的元素时,集合才相等
在您的情况下,两个集合都被视为集合,并且它们包含相同的元素,因此它们是相等的。
答案 2 :(得分:3)