如何让 lteq <= 运算符在 Scala 中使用元组?



我正在尝试修复以下问题:

val temp1 = (3, "hello")
val temp2 = (2, "abcde")
temp1 <= temp2

返回错误

<console>:24: error: value <= is not a member of (Int, String)
              temp1 <= temp2
                    ^

我试着在我的代码中添加以下内容:

implicit val tempOrdering = new Ordering[(Int, String)] {
  override def compare(a: (Int, String), b: (Int, String)): Int =
    {
    if      (a._1 < b._1) { -1 }
    else if (a._1 > b._1) { 1 }
    else if (a._2 < b._2) { -1 }
    else if (a._2 > b._2) { 1 }
    else 0
    }
  override def lteq(a: (Int, String), b: (Int, String)): Boolean = compare(a, b) <= 0
}
implicit val tempPartialOrdering = new PartialOrdering[(Int, String)] {
  override def tryCompare(a: (Int, String), b: (Int, String)): Option[Int] = {
    if      (a._1 < b._1) { Some(-1) }
    else if (a._1 > b._1) { Some(1) }
    else if (a._2 < b._2) { Some(-1) }
    else if (a._2 > b._2) { Some(1) }
    else Some(0)
  }
  override def lteq(x: (Int, String), y: (Int, String)) = {
    tryCompare(x, y).map(_ <= 0).getOrElse(false)
  }
}

and temp1 <= temp2仍然不能工作

我可以运行如下命令:

List(temp1, temp2).min

但不

min(temp1, temp2)

所以scala似乎没有看到我对(Int, String)元组的排序声明。

我可以使用 来引用我的声明
tempPartialOrdering.lteq(temp1, temp2)

和我的一些同事建议为(Int, String)元组创建一个新类,但我发现这些解决方案不美观。我真的希望能够使用普通的老式"<="比较运算符!

有没有人知道我做错了什么,"<="仍然不是(Int, String)的成员?有没有一种方法可以隐式地设置它?

试试这个:

scala> import Ordering.Implicits._
import Ordering.Implicits._
scala> (2,3) <= (1,2)
res2: Boolean = false

你的同事是对的。创建一个自定义类型(又名类)。它比你想象的要优雅得多。

我将只做以下操作。您可以根据需要扩展它以获得额外的功能。它是笨拙的,但它完成了工作,并允许您提出自定义排序。

implicit class stringIntTuple(a: (String, Int)) extends (String, Int)(a._1,a._2) {
  def <= (x: (String, Int)): Boolean = {
    this._2 <= x._2
  }
}
temp1 <= temp2

相关内容

  • 没有找到相关文章

最新更新