Last active
December 13, 2015 16:48
-
-
Save pchiusano/4942589 to your computer and use it in GitHub Desktop.
Trampoline data type implemented using exceptions
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package fpinscala.iomonad | |
trait Throw[+A] { | |
import Throw._ | |
@annotation.tailrec | |
final def run: A = this match { | |
case Done(a) => a | |
case More(thunk) => force(thunk).run | |
} | |
} | |
object Throw extends Monad[Throw] { | |
case class Call[A,+B] private[Throw] (a: A, f: A => B) extends Exception { | |
override def fillInStackTrace = this | |
} | |
case class Done[+A](a: A) extends Throw[A] | |
case class More[+A](thunk: () => Throw[A]) extends Throw[A] | |
def defer[A,B](a: A)(f: A => B): B = | |
throw new Call(a, f) | |
def force[A](f: () => A): A = | |
ap(f)(f => f()) | |
def ap[A,B](a: A)(f: A => B): B = { | |
var ai: Any = a | |
var fi: Any => Any = f.asInstanceOf[Any => Any] | |
while (true) { | |
try return fi(ai).asInstanceOf[B] | |
catch { case Call(a2,f2) => ai = a2; fi = f2; } | |
} | |
return null.asInstanceOf[B] // unreachable | |
} | |
def unit[A](a: => A): Throw[A] = more(Done(a)) | |
def more[A](a: => Throw[A]): Throw[A] = More(() => a) | |
def flatMap[A,B](a: Throw[A])(f: A => Throw[B]): Throw[B] = | |
a match { | |
case Done(a) => f(a) | |
case More(thunk) => | |
try thunk() flatMap f | |
catch { case Call(a0,g) => more { | |
defer(a0)(g.asInstanceOf[Any => Throw[A]]. | |
andThen(_ flatMap f)) | |
}} | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Previous version had a subtle bug that could cause incorrect early termination in chains of flatMaps. The problem with using exceptions for control flow is the compiler doesn't tell you when you've missed handling a case!