Last active
October 8, 2021 20:59
-
-
Save linasm/1a813f5a01e87dfa6dd66de8073feef6 to your computer and use it in GitHub Desktop.
Comprehending the For-Comphension talk, Vilnius, Nov 2018
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
sealed abstract class Perhaps[+A] { | |
def foreach(f: A => Unit): Unit | |
def map[B](f: A => B): Perhaps[B] | |
def flatMap[B](f: A => Perhaps[B]): Perhaps[B] | |
def withFilter(f: A => Boolean): Perhaps[A] | |
} | |
case class YesItIs[A](value: A) extends Perhaps[A] { | |
override def foreach(f: A => Unit): Unit = f(value) | |
override def map[B](f: A => B): Perhaps[B] = YesItIs(f(value)) | |
override def flatMap[B](f: A => Perhaps[B]): Perhaps[B] = f(value) | |
override def withFilter(f: A => Boolean): Perhaps[A] = if (f(value)) this else Nope | |
} | |
case object Nope extends Perhaps[Nothing] { | |
override def foreach(f: Nothing => Unit): Unit = () | |
override def map[B](f: Nothing => B): Perhaps[B] = this | |
override def flatMap[B](f: Nothing => Perhaps[B]): Perhaps[B] = this | |
override def withFilter(f: Nothing => Boolean): Perhaps[Nothing] = this | |
} | |
val y3 = YesItIs(3) | |
val y4 = YesItIs(4) | |
val n = Nope | |
// foreach: | |
for { | |
a <- y3 | |
} println(a) | |
y3.foreach(a => println(a)) | |
// map: | |
for { | |
a <- y3 | |
} yield a * a | |
y3.map(a => a * a) | |
// flatMap/map: | |
for { | |
a <- y3 | |
b <- y4 | |
} yield a * b | |
y3.flatMap(a => y4.map(b => a * b)) | |
// combining Perhaps with Try: | |
import scala.util.Try | |
for { | |
a <- y4 | |
} yield for { | |
b <- Try(100 / a) | |
} yield s"100/$a=$b" // YesItIs(Success(100/4=25)) | |
y4.map { a => | |
Try(100 / a).map { b => | |
s"100/$a=$b" | |
} | |
} | |
// withFilter: | |
for { | |
a <- y3 | |
if a > 1 | |
b <- y4 | |
} yield a * b | |
y3.withFilter(a => a > 1).flatMap(a => y4.map(b => a * b)) | |
// assignment: | |
for { | |
a <- y3 | |
b <- y4 | |
c = a * b | |
} yield c | |
y3.flatMap { a => | |
y4.map { b => | |
val c = a * b | |
c | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
For those who want to explore what Scala compiler is desugaring for constructs to, try out the
-Xprint:typer
flag that you can pass toscala
REPL. Here is an example:I have elided most of the verbose output here, because it also prints some implementation details of the REPL itself.