我正在阅读Scala中关于implicits的文档,这里有一个以隐式转换为参数的函数示例:
def getIndex[T, CC](seq: CC, value: T)(implicit conv: CC => Seq[T]) = seq.indexOf(value)
我理解它是如何工作的,但我不明白这样写而不是有什么意义
def getIndexExplicit[T](seq: Seq[T], value: T) = seq.indexOf(value)
据我所知,如果存在从参数seq
到类型Seq[T]
的转换,编译器仍然允许调用getIndexExplicit
?
为了说明我的观点,我准备了一个简单的例子:
def equal42[T](a: T)(implicit conv: T => Int) = conv(a) == 42 // implicit parameter version
def equal42Explicit(a: Int) = a == 42 // just use the type in the signature
implicit def strToInt(str: String): Int = java.lang.Integer.parseInt(str) // define the implicit conversion from String to Int
事实上,这两个功能似乎以相同的方式工作:
scala> equal42("42")
res12: Boolean = true
scala> equal42Explicit("42")
res13: Boolean = true
如果没有区别,那么显式定义隐式转换有什么意义?
我的猜测是,在这个简单的情况下,这没有什么区别,但肯定有一些更复杂的场景会发生。那些是什么?
在您的超简单示例中:
equal42("42")
equal42Explicit("42")
等于
equal42("42")(strToInt)
equal42Explicit(strToInt("42"))
就你的定义而言,这没有什么区别。
但如果它做了其他事情,例如
def parseCombined[S, T](s1: S, s2: S)
(combine: (S, S) => S)
(implicit parse: S => Option[T]): Option[T] =
parse(combine(s1, s2))
然后你什么时候申请转换事宜:
implicit def lift[T]: T => Option[T] = t => Option(t)
implicit val parseInt: String => Option[Int] = s => scala.util.Try(s.toInt).toOption
implicit def parseToString[T]: T => Option[String] = t => Option(t.toString)
parseCombined[Option[Int], String]("1", "2") { (a, b) => a.zip(b).map { case (x, y) => x + y } } // Some("Some(3)")
parseCombined[String, Int]("1", "2") { _ + _ } // Some(12)
在第一种情况下,参数在传递之前进行转换(然后在内部再次进行转换(,而在另一种情况中,它们仅在特定位置的函数内部进行转换。
虽然这种情况有些夸张,但它表明,控制何时进行转换可能对最终结果很重要。
也就是说,隐式转换的这种用法是一种反模式,类型类会更好地使用它。事实上,扩展方法是隐式转换唯一没有争议的用法,因为即使是magnet模式-可能在生产中使用的唯一其他用例(见Akka(-也可能被视为问题。
因此,将文档中的这个示例视为一种机制的演示,而不是应在生产中使用的良好实践的示例。