如何使用 给 在多蒂?



我正在查看Contextual Abstractions页面下的Dotty文档,我看到了Given Instances

给定

实例(或简单地称为"给定"(定义 某些类型,用于将参数合成到给定子句。 例:

trait Ord[T] {
def compare(x: T, y: T): Int
def (x: T) < (y: T) = compare(x, y) < 0
def (x: T) > (y: T) = compare(x, y) > 0
}
given intOrd: Ord[Int] {
def compare(x: Int, y: Int) =
if (x < y) -1 else if (x > y) +1 else 0
}
given listOrd[T]: (ord: Ord[T]) => Ord[List[T]] {
def compare(xs: List[T], ys: List[T]): Int = (xs, ys) match {
case (Nil, Nil) => 0
case (Nil, _) => -1
case (_, Nil) => +1
case (x :: xs1, y :: ys1) =>
val fst = ord.compare(x, y)
if (fst != 0) fst else compare(xs1, ys1)
}
}

但是这个来自文档的例子从来没有解释如何使用given。我Dotty示例项目中提取了测试并尝试使用它,但我不太了解它。

这是一个新关键字吗?我们进口吗?还是我错过了什么.

下面是使用given实例的示例。假设我们想比较两个整数,看看哪个比另一个大。我们可以利用上面已经定义的intOrd并编写:

def whichIsBigger[T](x: T, y: T)(given ord: Ord[T]): String = {
ord.compare(x, y) match {
case -1 => s"$x is less than $y"
case 0 => s"$x and $y are equal"
case 1 => s"$x is greater than $y"
}
}
println(whichIsBigger(2, 1))

这会产生:

2 is greater than 1

我们能够这样做是因为作用域中有一个命名的给定实例,否则,编译器会抱怨它没有Ord[Int]

这是一个新关键字吗?我们进口吗?还是我错过了什么。

这是一个新关键字,它取代了 Scala 2 中implicit定义的特定部分。如果这是 Scala 2,我们会这样写:

implicit val intOrd: Ord[Int] = new Ord[Int] {
def compare(x: Int, y: Int) =
if (x < y) -1 else if (x > y) 1 else 0
}
def whichIsBigger[T](x: T, y: T)(implicit ord: Ord[T]): String

也许比较一下我们如何在 Scala2 中使用implicit关键字和在 Scala 3 中使用given关键字来定义 typeclass 会很有启发性:

斯卡拉 2

trait Semigroup[A] {
def combine(x: A, y: A): A
}
object Semigroup {
def combine[A: Semigroup](x: A, y: A) = implicitly[Semigroup[A]].combine(x,y)
implicit val intSemigroup: Semigroup[Int] = new Semigroup[Int] {
def combine(x: Int, y: Int) = x + y
}
implicit val quxSemigroup: Semigroup[Qux] = new Semigroup[Qux] {
def combine(x: Qux, y: Qux) = Qux(x.a + y.a)
}
}
case class Qux(a: Int)
Semigroup.combine(41, 1)
Semigroup.combine(Qux(41), Qux(1))

斯卡拉 3

trait Semigroup[A] {
def combine(x: A, y: A): A
}
object Semigroup {
def combine[A](x: A, y: A)(given Semigroup[A]) = summon.combine(x,y)
given intSemigroup: Semigroup[Int] {
def combine(x: Int, y: Int) = x + y
}
given quxSemigroup: Semigroup[Qux] {
def combine(x: Qux, y: Qux) = Qux(x.a + y.a)
}
}
case class Qux(a: Int)
Semigroup.combine(41, 1))
Semigroup.combine(Qux(41), Qux(1))

是的,这是一个新关键字,您可以从页面末尾的语法中使用的'given'("语法"部分(中看出。它旨在取代implicit.如果你已经熟悉隐式,我认为与 Scala 2 隐式的关系是很好的开始。

相关内容

  • 没有找到相关文章

最新更新