Package

scalaz

zio

Permalink

package zio

Linear Supertypes
Ordering
  1. Alphabetic
  2. By Inheritance
Inherited
  1. zio
  2. EitherCompat
  3. AnyRef
  4. Any
  1. Hide All
  2. Show All
Visibility
  1. Public
  2. All

Type Members

  1. trait App extends DefaultRuntime

    Permalink

    The entry point for a purely-functional application on the JVM.

    The entry point for a purely-functional application on the JVM.

    import scalaz.zio.App
    import scalaz.zio.console._
    
    object MyApp extends App {
    
      final def run(args: List[String]) =
        myAppLogic.attempt.map(_.fold(_ => 1, _ => 0))
    
      def myAppLogic =
        for {
          _ <- putStrLn("Hello! What is your name?")
          n <- getStrLn
          _ <- putStrLn("Hello, " + n + ", good to meet you!")
        } yield ()
    }
  2. type Canceler = UIO[_]

    Permalink
  3. sealed trait Chunk[+A] extends AnyRef

    Permalink

    A Chunk[A] represents a chunk of values of type A.

    A Chunk[A] represents a chunk of values of type A. Chunks are designed are usually backed by arrays, but expose a purely functional, safe interface to the underlying elements, and they become lazy on operations that would be costly with arrays, such as repeated concatenation.

  4. trait DefaultRuntime extends Runtime[Clock with Console with System with Random with Blocking]

    Permalink
  5. trait EitherCompat extends AnyRef

    Permalink
  6. implicit class EitherOps[L, R] extends AnyRef

    Permalink
    Definition Classes
    EitherCompat
  7. sealed trait Exit[+E, +A] extends Product with Serializable

    Permalink

    An Exit[E, A] describes the result of executing an IO value.

    An Exit[E, A] describes the result of executing an IO value. The result is either succeeded with a value A, or failed with a Cause[E].

  8. trait Fiber[+E, +A] extends AnyRef

    Permalink

    A fiber is a lightweight thread of execution that never consumes more than a whole thread (but may consume much less, depending on contention).

    A fiber is a lightweight thread of execution that never consumes more than a whole thread (but may consume much less, depending on contention). Fibers are spawned by forking IO actions, which, conceptually at least, runs them concurrently with the parent IO action.

    Fibers can be joined, yielding their result other fibers, or interrupted, which terminates the fiber with a runtime error.

    Fork-Join Identity: fork >=> join = id

    for {
      fiber1 <- io1.fork
      fiber2 <- io2.fork
      _      <- fiber1.interrupt(e)
      a      <- fiber2.join
    } yield a
  9. final case class FiberFailure(cause: Cause[Any]) extends Throwable with Product with Serializable

    Permalink

    Represents a failure in a fiber.

    Represents a failure in a fiber. This could be caused by some non- recoverable error, such as a defect or system error, by some typed error, or by interruption (or combinations of all of the above).

    This class is used to wrap ZIO failures into something that can be thrown, to better integrate with Scala exception handling.

  10. type FiberId = Long

    Permalink
  11. final class FiberLocal[A] extends Serializable

    Permalink

    A container for fiber-local storage.

    A container for fiber-local storage. It is the pure equivalent to Java's ThreadLocal on a fiber architecture.

  12. sealed trait FunctionIO[+E, -A, +B] extends Serializable

    Permalink

    A FunctionIO[E, A, B] is an effectful function from A to B, which might fail with an E.

    A FunctionIO[E, A, B] is an effectful function from A to B, which might fail with an E.

    This is the moral equivalent of A => IO[E, B], and, indeed, FunctionIO extends this function type, and can be used in the same way.

    The main advantage to using FunctionIO is that it provides you a means of importing an impure function A => B into FunctionIO[E, A, B], without actually wrapping the result of the function in an IO value.

    This allows the implementation to aggressively fuse operations on impure functions, which in turn can result in significantly higher-performance and far less heap utilization than equivalent approaches modeled with IO.

    The implementation allows you to lift functions from A => IO[E, B] into a FunctionIO[E, A, B]. Such functions cannot be optimized, but will be handled correctly and can work in conjunction with optimized (fused) FunctionIO.

    Those interested in learning more about modeling effects with FunctionIO are encouraged to read John Hughes paper on the subject: Generalizing Monads to Arrows (www.cse.chalmers.se/~rjmh/Papers/arrows.pdf). The implementation in this file contains many of the same combinators as Hughes implementation.

    A word of warning: while even very complex code can be expressed in FunctionIO, there is a point of diminishing return. If you find yourself using deeply nested tuples to propagate information forward, it may be no faster than using IO.

    Given the following two FunctionIO:

    val readLine = FunctionIO.impureVoid((_ : Unit) => scala.Console.readLine())
    val printLine = FunctionIO.impureVoid((line: String) => println(line))

    Then the following two programs are equivalent:

    // Program 1
    val program1: UIO[Unit] =
      for {
        name <- getStrLn
        _    <- putStrLn("Hello, " + name)
      } yield ())
    
    // Program 2
    val program2: UIO[Unit] = (readLine >>> FunctionIO.fromFunction("Hello, " + _) >>> printLine)(())

    Similarly, the following two programs are equivalent:

    // Program 1
    val program1: UIO[Unit] =
      for {
        line1 <- getStrLn
        line2 <- getStrLn
        _     <- putStrLn("You wrote: " + line1 + ", " + line2)
      } yield ())
    
    // Program 2
    val program2: UIO[Unit] =
      (readLine.zipWith(readLine)("You wrote: " + _ + ", " + _) >>> printLine)(())

    In both of these examples, the FunctionIO program is faster because it is able to perform fusion of effectful functions.

  13. type IO[+E, +A] = ZIO[Any, E, A]

    Permalink
  14. type Managed[+E, +A] = ZManaged[Any, E, A]

    Permalink
  15. trait ManagedApp extends DefaultRuntime

    Permalink
  16. final class Promise[E, A] extends AnyVal

    Permalink

    A promise represents an asynchronous variable that can be set exactly once, with the ability for an arbitrary number of fibers to suspend (by calling get) and automatically resume when the variable is set.

    A promise represents an asynchronous variable that can be set exactly once, with the ability for an arbitrary number of fibers to suspend (by calling get) and automatically resume when the variable is set.

    Promises can be used for building primitive actions whose completions require the coordinated action of multiple fibers, and for building higher-level concurrent or asynchronous structures.

    for {
      promise <- Promise.make[Nothing, Int]
      _       <- promise.complete(42).delay(1.second).fork
      value   <- promise.get // Resumes when forked fiber completes promise
    } yield value
  17. type Queue[A] = ZQueue[Any, Nothing, Any, Nothing, A, A]

    Permalink
  18. final class Ref[A] extends AnyVal with Serializable

    Permalink

    A mutable atomic reference for the IO monad.

    A mutable atomic reference for the IO monad. This is the IO equivalent of a volatile var, augmented with atomic operations, which make it useful as a reasonably efficient (if low-level) concurrency primitive.

    for {
      ref <- Ref.make(2)
      v   <- ref.update(_ + 3)
      _   <- console.putStrLn("Value = " + v) // Value = 5
    } yield ()
  19. final class RefM[A] extends Serializable

    Permalink

    A mutable atomic reference for the IO monad.

    A mutable atomic reference for the IO monad. This is the IO equivalent of a volatile var, augmented with atomic effectful operations, which make it useful as a reasonably efficient (if low-level) concurrency primitive.

    Unlike Ref, RefM allows effects in atomic operations, which makes the structure slower but more powerful than Ref.

    for {
      ref <- RefM(2)
      v   <- ref.update(_ + putStrLn("Hello World!").attempt.void *> IO.succeed(3))
      _   <- putStrLn("Value = " + v) // Value = 5
    } yield ()
  20. trait Runtime[+R] extends AnyRef

    Permalink

    A Runtime[R] is capable of executing tasks within an environment R.

  21. type Schedule[-A, +B] = ZSchedule[Any, A, B]

    Permalink
  22. trait Schedule_Functions extends Serializable

    Permalink
  23. final class Semaphore extends Serializable

    Permalink

    An asynchronous semaphore, which is a generalization of a mutex.

    An asynchronous semaphore, which is a generalization of a mutex. Semaphores have a certain number of permits, which can be held and released concurrently by different parties. Attempts to acquire more permits than available result in the acquiring fiber being suspended until the specified number of permits become available.

  24. type Task[+A] = ZIO[Any, Throwable, A]

    Permalink
  25. type TaskR[-R, +A] = ZIO[R, Throwable, A]

    Permalink
  26. type UIO[+A] = ZIO[Any, Nothing, A]

    Permalink
  27. sealed trait ZIO[-R, +E, +A] extends Serializable

    Permalink

    A ZIO[R, E, A] ("Zee-Oh of Are Eeh Aye") is an immutable data structure that models an effectful program.

    A ZIO[R, E, A] ("Zee-Oh of Are Eeh Aye") is an immutable data structure that models an effectful program. The effect requires an environment R, and the effect may fail with an error E or produce a single A.

    Conceptually, this structure is equivalent to ReaderT[R, EitherT[UIO, E, ?]] for some infallible effect monad UIO, but because monad transformers perform poorly in Scala, this data structure bakes in the reader effect of ReaderT with the recoverable error effect of EitherT without runtime overhead.

    ZIO values are ordinary immutable values, and may be used like any other value in purely functional code. Because ZIO values just *model* effects (like input / output), which must be interpreted by a separate runtime system, ZIO values are entirely pure and do not violate referential transparency.

    ZIO values can efficiently describe the following classes of effects:

    • Pure ValuesZIO.succeed
    • Error EffectsZIO.fail
    • Synchronous EffectsIO.effect
    • Asynchronous EffectsIO.effectAsync
    • Concurrent EffectsIO#fork
    • Resource EffectsIO#bracket
    • Contextual EffectsZIO.access

    The concurrency model is based on fibers, a user-land lightweight thread, which permit cooperative multitasking, fine-grained interruption, and very high performance with large numbers of concurrently executing fibers.

    ZIO values compose with other ZIO values in a variety of ways to build complex, rich, interactive applications. See the methods on ZIO for more details about how to compose ZIO values.

    In order to integrate with Scala, ZIO values must be interpreted into the Scala runtime. This process of interpretation executes the effects described by a given immutable ZIO value. For more information on interpreting ZIO values, see the default interpreter in DefaultRuntime or the safe main function in App.

  28. trait ZIOFunctions extends Serializable

    Permalink
  29. trait ZIO_E_Any extends ZIO_E_Throwable

    Permalink
  30. trait ZIO_E_Throwable extends ZIOFunctions

    Permalink
  31. trait ZIO_R_Any extends ZIO_E_Any

    Permalink
  32. final case class ZManaged[-R, +E, +A](reserve: ZIO[R, E, Reservation[R, E, A]]) extends Product with Serializable

    Permalink

    A ZManaged[R, E, A] is a managed resource of type A, which may be used by invoking the use method of the resource.

    A ZManaged[R, E, A] is a managed resource of type A, which may be used by invoking the use method of the resource. The resource will be automatically acquired before the resource is used, and automatically released after the resource is used.

    Resources do not survive the scope of use, meaning that if you attempt to capture the resource, leak it from use, and then use it after the resource has been consumed, the resource will not be valid anymore and may fail with some checked error, as per the type of the functions provided by the resource.

  33. trait ZQueue[-RA, +EA, -RB, +EB, -A, +B] extends Serializable

    Permalink

    A ZQueue[RA, EA, RB, EB, A, B] is a lightweight, asynchronous queue into which values of type A can be enqueued and of which elements of type B can be dequeued.

    A ZQueue[RA, EA, RB, EB, A, B] is a lightweight, asynchronous queue into which values of type A can be enqueued and of which elements of type B can be dequeued. The queue's enqueueing operations may utilize an environment of type RA and may fail with errors of type EA. The dequeueing operations may utilize an environment of type RB and may fail with errors of type EB.

  34. trait ZSchedule[-R, -A, +B] extends Serializable

    Permalink

    Defines a stateful, possibly effectful, recurring schedule of actions.

    Defines a stateful, possibly effectful, recurring schedule of actions.

    A ZSchedule[R, A, B] consumes A values, and based on the inputs and the internal state, decides whether to continue or halt. Every decision is accompanied by a (possibly zero) delay, and an output value of type B.

    Schedules compose in each of the following ways:

    1. Intersection, using the && operator, which requires that both schedules continue, using the longer of the two durations. 2. Union, using the || operator, which requires that only one schedule continues, using the shorter of the two durations. 3. Sequence, using the <||> operator, which runs the first schedule until it ends, and then switches over to the second schedule.

    Schedule[R, A, B] forms a profunctor on [A, B], an applicative functor on B, and a monoid, allowing rich composition of different schedules.

Value Members

  1. object BuildInfo extends Product with Serializable

    Permalink

    This object was generated by sbt-buildinfo.

  2. object Chunk

    Permalink
  3. object Exit extends Serializable

    Permalink
  4. object Fiber

    Permalink
  5. object FiberLocal extends Serializable

    Permalink
  6. object FunctionIO extends Serializable

    Permalink
  7. object IO extends ZIO_E_Any

    Permalink
  8. val JustExceptions: PartialFunction[Throwable, Exception]

    Permalink
  9. val Managed: ZManaged.type

    Permalink
  10. object Promise

    Permalink
  11. val Queue: ZQueue.type

    Permalink
  12. object Ref extends Serializable

    Permalink
  13. object RefM extends Serializable

    Permalink
  14. object Runtime

    Permalink
  15. object Schedule extends Schedule_Functions

    Permalink
  16. object Semaphore extends Serializable

    Permalink
  17. object Task extends ZIO_E_Throwable

    Permalink
  18. object TaskR extends ZIO_E_Throwable

    Permalink
  19. object UIO extends ZIOFunctions

    Permalink
  20. object ZIO extends ZIO_R_Any

    Permalink
  21. object ZManaged extends Serializable

    Permalink
  22. object ZQueue extends Serializable

    Permalink
  23. object ZSchedule extends Schedule_Functions

    Permalink
  24. package blocking

    Permalink
  25. package clock

    Permalink
  26. package console

    Permalink
  27. package duration

    Permalink
  28. package internal

    Permalink
  29. package random

    Permalink
  30. package scheduler

    Permalink
  31. package stream

    Permalink
  32. package syntax

    Permalink
  33. package system

    Permalink

Inherited from EitherCompat

Inherited from AnyRef

Inherited from Any

Ungrouped