According to the Scaladocs,
An instance of A <:< B witnesses that A is a subtype of B.So, for instance:
Requiring an implicit argument of the type A <:< B encodes the generalized constraint A <: B.
class MySuper
class MySub extends MySuper
def demandsProof[A](implicit a: A <:< MySuper): Unit = ???
demands proof that any A is a subclass of MySuper. We can ensure that this is satisfied without calling it with an argument:
demandsProof[MySub] // OK
Rob Norris @tpolecat Apr 02 22:26
A <:< B extends A => B and is available implicitly if A <: B
A =:= B extends A => B and is available implicitly if A is the same type as B
This operator comes in handy when I want to enforce at compile time a rule that says one can only invert square matrices [Wikipedia]. My code looks like this:
@typeclass trait Invert[M[_ <: Length, _ <: Length]] {
  @op("inv") def invert[A <: Length, B <: Length](x: M[A, B])(implicit a: A =:= B): M[A, A]
}
(Note the use of Simulacrum to automatically generate type classes.)
There is an analogous implicitly passed value for subtype bounds, but the subtype bound is not syntactic sugar for it. (I thought it was.) That is, the type signaturedef widen[A, B >: A](fa: F[A]): F[B]
is equivalent to the type signaturedef widen[A, B](fa: F[A])(implicit ev: A <:< B): F[B]
but the former is not converted to the latter by the compiler, as is the case for context bounds. [my emphasis]
We can prove this by decompiling the Java bytecode with javap.  The first gives:
  public <A, B> F widen(F);
and the second, context-bound example:
  public <A, B> F widen(F, scala.Predef$$less$colon$less<A, B>);
This highlights a useful equivalence:
Containers of a subtype can be transformed into containers of its supertype, if you can map over the container. The usual defintion of covariance emphasizes subtypes, but the ability to map is a more general, and useful, definition.
Anyway, why would you use one over the other? See the source code for Scala's Option:
sealed trait Option[+A] {
// def flatten[B, A <: Option[B]]: Option[B] = ...
// won't work, since the A in flatten shadows the class-scoped A.
// def flatten[B, A <: Option[B]]: Option[B] = ...
// won't work, since the A in flatten shadows the class-scoped A.
def flatten[B](implicit ev: A <:< Option[B]): Option[B]
= if(isEmpty) None else ev(get)
// Because (A <:< Option[B]) <: (A => Option[B]), ev can be called to turn the
// A from get into an Option[B], and because ev is implicit, that call can be
// left out and inserted automatically.
}
 
 
No comments:
Post a Comment