Пытаясь понять, как лучше всего справляться с побочными эффектами в FP.
Я реализовал эту элементарную реализацию ввода-вывода:
trait IO[A] {
def run: A
}
object IO {
def unit[A](a: => A): IO[A] = new IO[A] { def run = a }
def loadFile(fileResourcePath: String) = IO.unit[List[String]]{
Source.fromResource(fileResourcePath).getLines.toList }
def printMessage(message: String) = IO.unit[Unit]{ println(message) }
def readLine(message:String) = IO.unit[String]{ StdIn.readLine() }
}
У меня есть следующий вариант использования:
- load lines from log file
- parse each line to BusinessType object
- process each BusinessType object
- print process result
Случай 1: Таким образом, код Scala может выглядеть следующим образом
val load: String => List[String]
val parse: List[String] => List[BusinessType]
val process: List[BusinessType] => String
val output: String => Unit
Случай 2: Я решил использовать IO выше:
val load: String => IO[List[String]]
val parse: IO[List[String]] => List[BusinessType]
val process: List[BusinessType] => IO[Unit]
val output: IO[Unit] => Unit
В случае 1 нагрузка является нечистой, потому чтоон читает из файла, поэтому вывод также нечистый, потому что он записывает результат в консоль.
Для большей функциональности я использую случай 2.
Вопросы:
- Aren't case 1 and 2 really the same thing?
- In case 2 aren't we just delaying the inevitable?
as the parse function will need to call the io.run
method and cause a side-effect?
- when they say "leave side-effects until the end of the world"
how does this apply to the example above? where is the
end of the world here?