We provide a lot of generic interfaces to write our bundled and your own custom types.
These interfaces are designed:
To be subclassed
To provide abstract methods to implement in your own types
To enforce correctness on final types
To attach critical laws to be checked
We use Higher Kinded Types to define abstract methods.
Reading about interfaces will be the most useful if you plan to create your own containers.
All the non-specific interfaces (e.g. MappableN, BindableN, ApplicativeN) can have Nth types, at the maximum of three possible types. What does this mean?
MappableN interface,
for example, can have one, two or three possible types. See the example below:
>>> from typing import NoReturn
>>> from returns.interfaces.mappable import (
... MappableN, Mappable1, Mappable2, Mappable3,
... )
>>> one_type: MappableN[int, NoReturn, NoReturn]
>>> two_types: MappableN[int, str, NoReturn]
>>> three_types: MappableN[int, str, bool]
>>> # We have a shortcut for each amount of arguments to reduce the boilerplate
>>> one_type: Mappable1[int]
>>> two_types: Mappable2[int, str]
>>> three_type: Mappable3[int, str, bool]
Note
Useful links before you start here:
We follow a very specific naming convention in our interface names.
If interface does not depend on the number of types
it works with and is always the same, we name it as is.
For example, Equable is always the same
and does not depend on the number of type arguments.
We use adjectives to name these interfaces.
Secondly, if interface depends on the number of type arguments,
it is named with N suffix in the end.
It would always have numeric aliases for each number of arguments supported.
For example, MappableN, Mappable1, Mappable2, and Mappable3.
The last criteria we have to decided on naming is
“whether this interface always the same or it can have slight variations”?
That’s why we have ResultLikeN and ResultBasedN interfaces.
Because ResultBasedN has two extra methods compared to ResultLikeN.
We use Like suffix for interfaces that describes some similar types.
We use Based suffix for interfaces that descire almost concrete types.
Some interfaces define its laws as values. These laws can be viewed as tests that are attached to the specific interface.
We are able to check them of any type that implements a given interfaces with laws by our own check_all_laws hypothesis plugin.
In this docs we are going to describe each general interface and its laws.
Something is considered mappable if we can map it using a function,
generally map is a method that accepts a function.
An example in this library is Maybe,
that implements the Mappable interface:
>>> from returns.maybe import Maybe, Some
>>> def can_be_mapped(string: str) -> str:
... return string + '!'
>>> maybe_str: Maybe[str] = Some('example')
>>> assert maybe_str.map(can_be_mapped) == Some('example!')
MappableN interface helps us to
create our own mappable container like Maybe.
>>> from typing import Callable, TypeVar
>>> from returns.interfaces.mappable import Mappable1
>>> from returns.primitives.hkt import SupportsKind1
>>> from returns.primitives.container import BaseContainer
>>> _NumberType = TypeVar('_NumberType')
>>> _NewNumberType = TypeVar('_NewNumberType')
>>> class Number(
... BaseContainer,
... SupportsKind1['Number', _NumberType],
... Mappable1[_NumberType],
... ):
... def __init__(self, inner_value: _NumberType) -> None:
... super().__init__(inner_value)
...
... def map( # This method is required by Mappable
... self,
... function: Callable[[_NumberType], _NewNumberType]
... ) -> 'Number[_NewNumberType]':
... return Number(function(self._inner_value))
With our Number mappable class we can compose easily math functions with it.
>>> def my_math_function(number: int) -> int:
... return number - 1
>>> number: Number[int] = Number(-41)
>>> assert number.map(my_math_function).map(abs) == Number(42)
To make sure your Mappable implementation is right,
you can apply the Mappable laws on it to test.
Identity Law:
When we pass the identity function to the map method,
the Mappable instance has to be the same, unchanged.
>>> from returns.functions import identity
>>> mappable_number: Number[int] = Number(1)
>>> assert mappable_number.map(identity) == Number(1)
Associative Law:
Given two functions, x and y,
calling the map method with x function and after that calling
with y function must have the
same result if we compose them together.
>>> from returns.functions import compose
>>> def add_one(number: int) -> int:
... return number + 1
>>> def multiply_by_ten(number: int) -> int:
... return number * 10
>>> mappable_number: Number[int] = Number(9)
>>> assert mappable_number.map(
... add_one,
... ).map(
... multiply_by_ten,
... ) == mappable_number.map(
... compose(add_one, multiply_by_ten),
... )
Bindable is something that we can bind with a function. Like
Maybe, so
BindableN interface will help
us to create our custom bindable.
>>> from typing import Callable, TypeVar
>>> from returns.interfaces.bindable import Bindable1
>>> from returns.primitives.hkt import SupportsKind1, Kind1, dekind
>>> from returns.primitives.container import BaseContainer
>>> _NumberType = TypeVar('_NumberType')
>>> _NewNumberType = TypeVar('_NewNumberType')
>>> class Number(
... BaseContainer,
... SupportsKind1['Number', _NumberType],
... Bindable1[_NumberType],
... ):
... def __init__(self, inner_value: _NumberType) -> None:
... super().__init__(inner_value)
...
... def bind( # This method is required by Bindable
... self,
... function: Kind1[
... 'Number',
... Callable[[_NumberType], 'Number[_NewNumberType]'],
... ],
... ) -> 'Number[_NewNumberType]':
... return dekind(function(self._inner_value))
And here’s how we can use it:
>>> def double(arg: int) -> Number[int]:
... return Number(arg * 2)
>>> number = Number(5)
>>> assert number.bind(double) == Number(10)
Something is considered applicative
if it is a functor already and,
moreover, we can apply another container to it
and construct a new value with .from_value method.
An example in this library is Maybe,
that implements the Mappable and Applicative interfaces:
>>> from returns.maybe import Maybe, Some
>>> maybe_str = Maybe.from_value('example')
>>> maybe_func = Maybe.from_value(len) # we use function as a value!
>>> assert maybe_str.apply(maybe_func) == Some(7)
As you see, apply takes a container with a function inside
and applies it to the current value inside the container.
This way we really execute Maybe.from_value(len('example')).
ApplicativeN which is a subtype of
MappableN interface helps us to
create our own applicative container like Maybe.
>>> from typing import Callable, TypeVar
>>> from returns.interfaces.applicative import Applicative1
>>> from returns.primitives.hkt import SupportsKind1, Kind1, dekind
>>> from returns.primitives.container import BaseContainer
>>> _NumberType = TypeVar('_NumberType')
>>> _NewNumberType = TypeVar('_NewNumberType')
>>> class Number(
... BaseContainer,
... SupportsKind1['Number', _NumberType],
... Applicative1[_NumberType],
... ):
... def __init__(self, inner_value: _NumberType) -> None:
... super().__init__(inner_value)
...
... def map( # This method is required by Mappable
... self,
... function: Callable[[_NumberType], _NewNumberType]
... ) -> 'Number[_NewNumberType]':
... return Number(function(self._inner_value))
...
... def apply( # This method is required by Applicative
... self,
... container: Kind1[
... 'Number',
... Callable[[_NumberType], _NewNumberType],
... ],
... ) -> 'Number[_NewNumberType]':
... return Number.from_value(
... dekind(container._inner_value(self._inner_value)),
... )
...
... @classmethod
... def from_value( # This method is required by Applicative
... cls,
... inner_value: _NewNumberType,
... ) -> 'Number[_NewNumberType]':
... return Number(inner_value)
With our Number mappable class we can compose easily math functions with it.
>>> def my_math_function(number: int) -> int:
... return number - 1
>>> number = Number(3)
>>> number_function = Number.from_value(my_math_function)
>>> assert number.apply(number_function) == Number(2)
To make sure your Applicative implementation is right,
you can apply the Applicative laws on it to test.
Identity Law:
When we pass an applicative instance
with wrapped identity function to the apply method,
the Applicative has to be the same, unchanged.
>>> from returns.functions import identity
>>> applicative_number: Number[int] = Number(1)
>>> assert applicative_number.apply(
... applicative_number.from_value(identity),
... ) == Number(1)
Interchange Law:
We can start our composition with both raw value and a function.
>>> def function(arg: int) -> int:
... return arg + 1
>>> raw_value = 5
>>> assert Number.from_value(raw_value).apply(
... Number.from_value(function),
... ) == Number.from_value(function).apply(
... Number.from_value(lambda inner: inner(raw_value)),
... )
Homomorphism Law:
The homomorphism law says that
applying a wrapped function to a wrapped value is the same
as applying the function to the value in the normal way
and then using .from_value on the result.
>>> def function(arg: int) -> int:
... return arg + 1
>>> raw_value = 5
>>> assert Number.from_value(
... function(raw_value),
... ) == Number.from_value(raw_value).apply(
... Number.from_value(function),
... )
Composition Law:
Applying two functions twice is the same
as applying their composition once.
>>> from returns.functions import compose
>>> def first(arg: int) -> int:
... return arg * 2
>>> def second(arg: int) -> int:
... return arg + 1
>>> instance = Number(5)
>>> assert instance.apply(
... Number.from_value(compose(first, second)),
... ) == instance.apply(
... Number.from_value(first),
... ).apply(
... Number.from_value(second),
... )
Plus all laws from MappableN interface.
ContainerN is a central piece of our library.
It is an interface that combines
ApplicativeN
and
BindableN together.
So, in other words: Container is an Apllicative that you can bind!
>>> from typing import Callable, TypeVar
>>> from returns.interfaces.container import Container1
>>> from returns.primitives.hkt import SupportsKind1, Kind1, dekind
>>> from returns.primitives.container import BaseContainer
>>> _NumberType = TypeVar('_NumberType')
>>> _NewNumberType = TypeVar('_NewNumberType')
>>> class Number(
... BaseContainer,
... SupportsKind1['Number', _NumberType],
... Container1[_NumberType],
... ):
... def __init__(self, inner_value: _NumberType) -> None:
... super().__init__(inner_value)
...
... def map( # This method is required by Mappable
... self,
... function: Callable[[_NumberType], _NewNumberType]
... ) -> 'Number[_NewNumberType]':
... return Number(function(self._inner_value))
...
... def bind( # This method is required by Bindable
... self,
... function: Kind1[
... 'Number',
... Callable[[_NumberType], 'Number[_NewNumberType]'],
... ],
... ) -> 'Number[_NewNumberType]':
... return dekind(function(self._inner_value))
...
... def apply( # This method is required by Applicative
... self,
... container: Kind1[
... 'Number',
... Callable[[_NumberType], _NewNumberType],
... ],
... ) -> 'Number[_NewNumberType]':
... return Number.from_value(
... container._inner_value(self._inner_value),
... )
...
... @classmethod
... def from_value( # This method is required by Applicative
... cls,
... inner_value: _NewNumberType,
... ) -> 'Number[_NewNumberType]':
... return Number(inner_value)
This code gives us an opportunity to use Number
with map, apply, and bind as we already did in the examples above.
To make sure other people will be able to use your implementation, it should respect three new laws.
Left Identity:
If we bind a function to our bindable must have to be
the same result as passing the value directly to the function.
>>> def can_be_bound(value: int) -> Number[int]:
... return Number(value)
>>> assert Number.from_value(5).bind(can_be_bound) == can_be_bound(5)
Right Identity:
If we pass the bindable constructor through bind must
have to be the same result as instantiating the bindable on our own.
>>> number = Number(2)
>>> assert number.bind(Number) == Number(2)
Associative Law:
Given two functions, x and y, calling the bind
method with x function and after that calling with y function
must have the same result if we bind with
a function that passes the value to x
and then bind the result with y.
>>> def minus_one(arg: int) -> Number[int]:
... return Number(arg - 1)
>>> def half(arg: int) -> Number[int]:
... return Number(arg // 2)
>>> number = Number(9)
>>> assert number.bind(minus_one).bind(half) == number.bind(
... lambda value: minus_one(value).bind(half),
... )
Plus all laws from MappableN and ApplicativeN interfaces.
We have way more interfaces with different features! We have covered all of them in the technical docs.
So, use them to enforce type-safety of your own containers.
We also have a whole package of different specific interfaces
that will help you to create containers based on our internal types,
like Result.
We have .interfaces.* types that can be applied to any possible type.
There’s nothing they know about other types or returns package.
We also have a special .interfaces.specific package
where we have types that know about other types in returns.
For example, MappableN from .interfaces
only knows about .map method. It does not require anything else.
But, ResultLikeN from .interfaces.specific.result
does require to have .bind_result method
which relies on our Result type.
That’s the only difference. Build your own types with any of those interfaces.
Some types like
ResultLikeN
do not have type aliases for one type argument in a form of ResultLike1.
Why does Mappable1 exists and ResultLike1 does not?
Because Mappable1 does make sense.
But, ResultLike1 requires at least two (value and error) types to exist.
The same applies for ReaderLike1 and ReaderResultLike1
and ReaderResultLike2.
We don’t support type aliases for types that won’t make sense.
MappableN and BindableN?¶While MappableN you have to pass a pure function, like:
>>> def can_be_mapped(string: str) -> str:
... return string
with Bindable we have to pass a function that returns another container:
>>> from returns.maybe import Maybe
>>> def can_be_bound(string: str) -> Maybe[str]:
... return Some(string + '!')
The main difference is the return type.
The consequence of this is big!
BindableN allows to change the container type.
While MappableN cannot do that.
So, Some.bind(function) can be evaluated to both Some and Nothing.
While Some.map(function) will always stay as Some.
ResultLikeN is just an intention of having a result
(e.g. FutureResult),
it’s not the result yet. While ResultBasedN is a concrete result
(e.g. IOResult),
it has the desired result value.
Because of this difference between them is why we can’t unwrap a ResultLikeN
container, it does not have the real result yet.
See the example below using FutureResult to get a IOResult:
>>> import anyio
>>> from returns.future import FutureResult
>>> from returns.interfaces.specific.future_result import FutureResultBasedN
>>> from returns.interfaces.specific.ioresult import (
... IOResultBasedN,
... IOResultLikeN,
... )
>>> from returns.interfaces.specific.result import ResultLikeN, ResultBasedN
>>> from returns.io import IOSuccess, IOResult
>>> from returns.result import Success, Result
>>> async def coro(arg: int) -> Result[int, str]:
... return Success(arg + 1)
>>> # `result_like` does not have the result we want (Result[int, str])
>>> # it's just the intention of having one,
>>> # we have to await it to get the real result
>>> result_like: FutureResult[int, str] = FutureResult(coro(1))
>>> assert isinstance(result_like, FutureResultBasedN)
>>> assert isinstance(result_like, IOResultLikeN)
>>> assert isinstance(result_like, ResultLikeN)
>>> # `anyio.run(...)` will await our coroutine and give the real result to us
>>> result: IOResult[int, str] = anyio.run(result_like.awaitable)
>>> assert isinstance(result, IOResultBasedN)
>>> assert isinstance(result, ResultLikeN)
>>> # Compare it with the real result:
>>> assert isinstance(Success(1), ResultBasedN)
Note
The same difference applies to all *ResultLikeN vs *ResultBasedN
(e.g. IOResultLikeN
and IOResultBasedN)
Here’s a full overview of all our interfaces:
Let’s review it one by one.
Bases: LawSpecDef
Equality laws.
Description: https://bit.ly/34D40iT
Value should be equal to itself.
first (TypeVar(_EqualType, bound= Equable)) –
None
Interface for types that can be compared with real values.
Not all types can, because some don’t have the value at a time:
- Future has to be awaited to get the value
- Reader has to be called to get the value
Bases: LawSpecDef
Mappable or functor laws.
https://en.wikibooks.org/wiki/Haskell/The_Functor_class#The_functor_laws
Mapping identity over a value must return the value unchanged.
mappable (MappableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
None
Mapping twice or mapping a composition is the same thing.
mappable (MappableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
first (Callable[[TypeVar(_FirstType)], TypeVar(_NewType1)]) –
second (Callable[[TypeVar(_NewType1)], TypeVar(_NewType2)]) –
None
Bases: Generic[_FirstType, _SecondType, _ThirdType], Lawful[MappableN[_FirstType, _SecondType, _ThirdType]]
Allows to chain wrapped values in containers with regular functions.
Behaves like a functor.
ClassVar[Sequence[Law]] = (<returns.primitives.laws.Law1 object>, <returns.primitives.laws.Law3 object>)¶Some classes and interfaces might have laws, some might not have any.
Allows to run a pure function over a container.
self (TypeVar(_MappableType, bound= MappableN)) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_UpdatedType)]) –
KindN[TypeVar(_MappableType, bound= MappableN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Type alias for kinds with one type argument.
alias of MappableN[_FirstType, NoReturn, NoReturn]
Bases: Generic[_FirstType, _SecondType, _ThirdType]
Represents a “context” in which calculations can be executed.
Bindable allows you to bind together
a series of calculations while maintaining
the context of that specific container.
In contrast to returns.interfaces.lashable.LashableN,
works with the first type argument.
Applies ‘function’ to the result of a previous calculation.
And returns a new container.
self (TypeVar(_BindableType, bound= BindableN)) –
function (Callable[[TypeVar(_FirstType)], KindN[TypeVar(_BindableType, bound= BindableN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
KindN[TypeVar(_BindableType, bound= BindableN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Type alias for kinds with one type argument.
alias of BindableN[_FirstType, NoReturn, NoReturn]
Bases: LawSpecDef
Applicative mappable laws.
Definition: https://bit.ly/3hC8F8E Discussion: https://bit.ly/3jffz3L
Identity law.
If we apply wrapped identity function to a container,
nothing happens.
container (ApplicativeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
None
Interchange law.
Basically we check that we can start our composition
with both raw_value and function.
Great explanation: https://stackoverflow.com/q/27285918/4842742
raw_value (TypeVar(_FirstType)) –
container (ApplicativeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_NewType1)]) –
None
Homomorphism law.
The homomorphism law says that
applying a wrapped function to a wrapped value is the same
as applying the function to the value in the normal way
and then using .from_value on the result.
raw_value (TypeVar(_FirstType)) –
container (ApplicativeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_NewType1)]) –
None
Composition law.
Applying two functions twice is the same as applying their composition once.
container (ApplicativeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
first (Callable[[TypeVar(_FirstType)], TypeVar(_NewType1)]) –
second (Callable[[TypeVar(_NewType1)], TypeVar(_NewType2)]) –
None
Bases: MappableN[_FirstType, _SecondType, _ThirdType], Lawful[ApplicativeN[_FirstType, _SecondType, _ThirdType]]
Allows to create unit containers from raw values and to apply wrapped funcs.
See also
ClassVar[Sequence[Law]] = (<returns.primitives.laws.Law1 object>, <returns.primitives.laws.Law3 object>, <returns.primitives.laws.Law3 object>, <returns.primitives.laws.Law3 object>)¶Some classes and interfaces might have laws, some might not have any.
Allows to apply a wrapped function over a container.
self (TypeVar(_ApplicativeType, bound= ApplicativeN)) –
container (KindN[TypeVar(_ApplicativeType, bound= ApplicativeN), Callable[[TypeVar(_FirstType)], TypeVar(_UpdatedType)], TypeVar(_SecondType), TypeVar(_ThirdType)]) –
KindN[TypeVar(_ApplicativeType, bound= ApplicativeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Type alias for kinds with one type argument.
alias of ApplicativeN[_FirstType, NoReturn, NoReturn]
Type alias for kinds with two type arguments.
alias of ApplicativeN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of ApplicativeN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Mappable or functor laws.
https://en.wikibooks.org/wiki/Haskell/The_Functor_class#The_functor_laws
Mapping identity over a value must return the value unchanged.
altable (AltableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
None
Mapping twice or mapping a composition is the same thing.
altable (AltableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
first (Callable[[TypeVar(_SecondType)], TypeVar(_NewType1)]) –
second (Callable[[TypeVar(_NewType1)], TypeVar(_NewType2)]) –
None
Bases: Generic[_FirstType, _SecondType, _ThirdType], Lawful[AltableN[_FirstType, _SecondType, _ThirdType]]
Modifies the second type argument with a pure function.
ClassVar[Sequence[Law]] = (<returns.primitives.laws.Law1 object>, <returns.primitives.laws.Law3 object>)¶Some classes and interfaces might have laws, some might not have any.
Allows to run a pure function over a container.
self (TypeVar(_AltableType, bound= AltableN)) –
function (Callable[[TypeVar(_SecondType)], TypeVar(_UpdatedType)]) –
KindN[TypeVar(_AltableType, bound= AltableN), TypeVar(_FirstType), TypeVar(_UpdatedType), TypeVar(_ThirdType)]
Bases: MappableN[_FirstType, _SecondType, _ThirdType], AltableN[_FirstType, _SecondType, _ThirdType]
Allows to change both types of a container at the same time.
Uses .map to change first type and .alt to change second type.
Type alias for kinds with two type arguments.
alias of BiMappableN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of BiMappableN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Laws for SwappableN type.
Swapping container twice.
It ensure that we get the initial value back. In other words, swapping twice does nothing.
container (SwappableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
None
Bases: BiMappableN[_FirstType, _SecondType, _ThirdType], Lawful[SwappableN[_FirstType, _SecondType, _ThirdType]]
Interface that allows swapping first and second type values.
Type alias for kinds with two type arguments.
alias of SwappableN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of SwappableN[_FirstType, _SecondType, _ThirdType]
Bases: Generic[_FirstType, _SecondType, _ThirdType]
Represents a “context” in which calculations can be executed.
Rescueable allows you to bind together
a series of calculations while maintaining
the context of that specific container.
In contrast to returns.interfaces.bindable.BinbdaleN,
works with the second type value.
Applies ‘function’ to the result of a previous calculation.
And returns a new container.
self (TypeVar(_LashableType, bound= LashableN)) –
function (Callable[[TypeVar(_SecondType)], KindN[TypeVar(_LashableType, bound= LashableN), TypeVar(_FirstType), TypeVar(_UpdatedType), TypeVar(_ThirdType)]]) –
KindN[TypeVar(_LashableType, bound= LashableN), TypeVar(_FirstType), TypeVar(_UpdatedType), TypeVar(_ThirdType)]
Bases: Generic[_FirstType, _SecondType]
Represents containers that can unwrap and return its wrapped value.
There are no aliases or UnwrappableN for Unwrappable interface.
Because it always uses two and just two types.
Not all types can be Unwrappable because we do require
to raise UnwrapFailedError if unwrap is not possible.
Custom magic method to unwrap inner value from container.
Should be redefined for ones that actually have values. And for ones that raise an exception for no values.
Note
As a part of the contract, failed unwrap calls
must raise returns.primitives.exceptions.UnwrapFailedError
exception.
This method is the opposite of failure().
self (TypeVar(_UnwrappableType, bound= Unwrappable)) –
TypeVar(_FirstType)
Custom magic method to unwrap inner value from the failed container.
Note
As a part of the contract, failed failure calls
must raise returns.primitives.exceptions.UnwrapFailedError
exception.
This method is the opposite of unwrap().
self (TypeVar(_UnwrappableType, bound= Unwrappable)) –
TypeVar(_SecondType)
Bases: LawSpecDef
Container laws.
Definition: https://wiki.haskell.org/Monad_laws Good explanation: https://bit.ly/2Qsi5re
Left identity.
The first law states that if we take a value, put it in a default
context with return and then feed it to a function by using bind,
it’s the same as just taking the value and applying the function to it.
raw_value (TypeVar(_FirstType)) –
container (ContainerN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], KindN[ContainerN, TypeVar(_NewType1), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
None
Right identity.
The second law states that if we have a container value
and we use bind to feed it to .from_value,
the result is our original container value.
container (ContainerN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
None
Associativity law.
The final monad law says that when
we have a chain of container functions applications with bind,
it shouldn’t matter how they’re nested.
container (ContainerN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
first (Callable[[TypeVar(_FirstType)], KindN[ContainerN, TypeVar(_NewType1), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
second (Callable[[TypeVar(_NewType1)], KindN[ContainerN, TypeVar(_NewType2), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
None
Bases: ApplicativeN[_FirstType, _SecondType, _ThirdType], BindableN[_FirstType, _SecondType, _ThirdType], Lawful[ContainerN[_FirstType, _SecondType, _ThirdType]]
Handy alias for types with .bind, .map, and .apply methods.
Should be a base class for almost any containers you write.
See also
Type alias for kinds with one type argument.
alias of ContainerN[_FirstType, NoReturn, NoReturn]
Type alias for kinds with two type arguments.
alias of ContainerN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of ContainerN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Failable laws.
We need to be sure that .lash won’t lash success types.
Bases: ContainerN[_FirstType, _SecondType, _ThirdType], LashableN[_FirstType, _SecondType, _ThirdType], Lawful[FailableN[_FirstType, _SecondType, _ThirdType]]
Base type for types that can fail.
It is a raw type and should not be used directly.
Use SingleFailableN and DiverseFailableN instead.
Type alias for kinds with two type arguments.
alias of FailableN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of FailableN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Single Failable laws.
We need to be sure that .map and .bind
works correctly for empty property.
Ensures that you cannot map from the empty property.
container (SingleFailableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_NewFirstType)]) –
None
Ensures that you cannot bind from the empty property.
container (SingleFailableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], KindN[SingleFailableN, TypeVar(_NewFirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
None
Ensures that you cannot apply from the empty property.
container (SingleFailableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_NewFirstType)]) –
None
Bases: FailableN[_FirstType, _SecondType, _ThirdType]
Base type for types that have just only one failed value.
Like Maybe types where the only failed value is Nothing.
ClassVar[Sequence[Law]] = (<returns.primitives.laws.Law2 object>, <returns.primitives.laws.Law2 object>, <returns.primitives.laws.Law2 object>)¶Some classes and interfaces might have laws, some might not have any.
This property represents the failed value.
:param self:
:type self: TypeVar(_SingleFailableType, bound= SingleFailableN)
Type alias for kinds with two types arguments.
alias of SingleFailableN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of SingleFailableN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Diverse Failable laws.
We need to be sure that .map, .bind, .apply and .alt
works correctly for both success and failure types.
Ensures that you cannot map a failure.
raw_value (TypeVar(_SecondType)) –
container (DiverseFailableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_NewFirstType)]) –
None
Ensures that you cannot bind a failure.
See: https://wiki.haskell.org/Typeclassopedia#MonadFail
raw_value (TypeVar(_SecondType)) –
container (DiverseFailableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], KindN[DiverseFailableN, TypeVar(_NewFirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
None
Ensures that you cannot apply a failure.
raw_value (TypeVar(_SecondType)) –
container (DiverseFailableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_NewFirstType)]) –
None
Ensures that you cannot alt a success.
raw_value (TypeVar(_SecondType)) –
container (DiverseFailableN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_SecondType)], TypeVar(_NewFirstType)]) –
None
Bases: FailableN[_FirstType, _SecondType, _ThirdType], SwappableN[_FirstType, _SecondType, _ThirdType], Lawful[DiverseFailableN[_FirstType, _SecondType, _ThirdType]]
Base type for types that have any failed value.
Like Result types.
ClassVar[Sequence[Law]] = (<returns.primitives.laws.Law3 object>, <returns.primitives.laws.Law3 object>, <returns.primitives.laws.Law3 object>, <returns.primitives.laws.Law3 object>)¶Some classes and interfaces might have laws, some might not have any.
Unit method to create new containers from any raw value.
inner_value (TypeVar(_UpdatedType)) –
KindN[TypeVar(_DiverseFailableType, bound= DiverseFailableN), TypeVar(_FirstType), TypeVar(_UpdatedType), TypeVar(_ThirdType)]
Type alias for kinds with two type arguments.
alias of DiverseFailableN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of DiverseFailableN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Maybe laws.
We need to be sure that
.map, .bind, .bind_optional, and .lash
works correctly for both successful and failed types.
Ensures that you cannot map from failures.
container (MaybeLikeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], TypeVar(_NewType1)]) –
None
Ensures that you cannot bind from failures.
container (MaybeLikeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], KindN[MaybeLikeN, TypeVar(_NewType1), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
None
Ensures that you cannot bind from failures.
container (MaybeLikeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], Optional[TypeVar(_NewType1)]]) –
None
Ensures that you cannot lash a success.
raw_value (TypeVar(_FirstType)) –
container (MaybeLikeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_SecondType)], KindN[MaybeLikeN, TypeVar(_FirstType), TypeVar(_NewType1), TypeVar(_ThirdType)]]) –
None
Ensures None is treated specially.
container (MaybeLikeN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
function (Callable[[TypeVar(_FirstType)], None]) –
None
Bases: SingleFailableN[_FirstType, _SecondType, _ThirdType], Lawful[MaybeLikeN[_FirstType, _SecondType, _ThirdType]]
Type for values that do look like a Maybe.
For example, RequiresContextMaybe should be created from this interface.
Cannot be unwrapped or compared.
ClassVar[Sequence[Law]] = (<returns.primitives.laws.Law2 object>, <returns.primitives.laws.Law2 object>, <returns.primitives.laws.Law2 object>, <returns.primitives.laws.Law3 object>, <returns.primitives.laws.Law2 object>)¶Some classes and interfaces might have laws, some might not have any.
Binds a function that returns Optional values.
self (TypeVar(_MaybeLikeType, bound= MaybeLikeN)) –
function (Callable[[TypeVar(_FirstType)], Optional[TypeVar(_UpdatedType)]]) –
KindN[TypeVar(_MaybeLikeType, bound= MaybeLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Type alias for kinds with two type arguments.
alias of MaybeLikeN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of MaybeLikeN[_FirstType, _SecondType, _ThirdType]
Bases: MaybeLikeN[_FirstType, _SecondType, _ThirdType], Unwrappable[_FirstType, None], Equable
Concrete interface for Maybe type.
Can be unwrapped and compared.
Type alias for kinds with two type arguments.
alias of MaybeBasedN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of MaybeBasedN[_FirstType, _SecondType, _ThirdType]
An interface that represents a pure computation result.
For impure result see
returns.interfaces.specific.ioresult.IOResultLikeN type.
Bases: DiverseFailableN[_FirstType, _SecondType, _ThirdType]
Base types for types that looks like Result but cannot be unwrapped.
Like RequiresContextResult or FutureResult.
Type alias for kinds with two type arguments.
alias of ResultLikeN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of ResultLikeN[_FirstType, _SecondType, _ThirdType]
Bases: ResultLikeN[_FirstType, _SecondType, _ThirdType], Unwrappable[_FirstUnwrappableType, _SecondUnwrappableType], Equable
Intermediate type with 5 type arguments that represents unwrappable result.
It is a raw type and should not be used directly.
Use ResultBasedN and IOResultBasedN instead.
Bases: UnwrappableResult[_FirstType, _SecondType, _ThirdType, _FirstType, _SecondType]
Base type for real Result types.
Can be unwrapped.
Type alias for kinds with two type arguments.
alias of ResultBasedN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of ResultBasedN[_FirstType, _SecondType, _ThirdType]
Bases: ContainerN[_FirstType, _SecondType, _ThirdType]
Represents interface for types that looks like fearless IO.
This type means that IO cannot fail. Like random numbers, date, etc.
Don’t use this type for IO that can. Instead, use
returns.interfaces.specific.ioresult.IOResultBasedN type.
Type alias for kinds with one type argument.
alias of IOLikeN[_FirstType, NoReturn, NoReturn]
Type alias for kinds with two type arguments.
alias of IOLikeN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of IOLikeN[_FirstType, _SecondType, _ThirdType]
Bases: IOLikeN[_FirstType, _SecondType, _ThirdType], Equable
Represents the base interface for types that do fearless IO.
This type means that IO cannot fail. Like random numbers, date, etc.
Don’t use this type for IO that can. Instead, use
returns.interfaces.specific.ioresult.IOResultBasedN type.
This interface also supports direct comparison of two values.
While IOLikeN is different. It can be lazy and cannot be compared.
Type alias for kinds with one type argument.
alias of IOBasedN[_FirstType, NoReturn, NoReturn]
An interface for types that do IO and can fail.
It is a base interface for both sync and async IO stacks.
Bases: IOLikeN[_FirstType, _SecondType, _ThirdType], ResultLikeN[_FirstType, _SecondType, _ThirdType]
Base type for types that look like IOResult but cannot be unwrapped.
Like FutureResult or RequiresContextIOResult.
Runs IOResult returning function over a container.
self (TypeVar(_IOResultLikeType, bound= IOResultLikeN)) –
function (Callable[[TypeVar(_FirstType)], IOResult[TypeVar(_UpdatedType), TypeVar(_SecondType)]]) –
KindN[TypeVar(_IOResultLikeType, bound= IOResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Allows to compose the underlying Result with a function.
KindN[TypeVar(_IOResultLikeType, bound= IOResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Type alias for kinds with two type arguments.
alias of IOResultLikeN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of IOResultLikeN[_FirstType, _SecondType, _ThirdType]
Bases: IOResultLikeN[_FirstType, _SecondType, _ThirdType], IOBasedN[_FirstType, _SecondType, _ThirdType], UnwrappableResult[_FirstType, _SecondType, _ThirdType, IO[_FirstType], IO[_SecondType]]
Base type for real IOResult types.
Can be unwrapped.
Type alias for kinds with two type arguments.
alias of IOResultBasedN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of IOResultBasedN[_FirstType, _SecondType, _ThirdType]
Represents the base interfaces for types that do fearless async operations.
This type means that Future cannot fail.
Don’t use this type for async that can. Instead, use
returns.interfaces.specific.future_result.FutureResultBasedN type.
Bases: IOLikeN[_FirstType, _SecondType, _ThirdType]
Base type for ones that does look like Future.
But at the time this is not a real Future and cannot be awaited.
Allows to bind async Future returning function over container.
Binds async function returning the same type of container.
self (TypeVar(_FutureLikeType, bound= FutureLikeN)) –
function (Callable[[TypeVar(_FirstType)], Awaitable[KindN[TypeVar(_FutureLikeType, bound= FutureLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]]]) –
KindN[TypeVar(_FutureLikeType, bound= FutureLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Allows to bind async function over container.
self (TypeVar(_FutureLikeType, bound= FutureLikeN)) –
function (Callable[[TypeVar(_FirstType)], Awaitable[TypeVar(_UpdatedType)]]) –
KindN[TypeVar(_FutureLikeType, bound= FutureLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Type alias for kinds with one type argument.
alias of FutureLikeN[_FirstType, NoReturn, NoReturn]
Type alias for kinds with two type arguments.
alias of FutureLikeN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of FutureLikeN[_FirstType, _SecondType, _ThirdType]
Bases: Generic[_FirstType, _SecondType, _ThirdType]
Type that provides the required API for Future to be async.
Should not be used directly. Use FutureBasedN instead.
Type alias for kinds with one type argument.
alias of AwaitableFutureN[_FirstType, NoReturn, NoReturn]
Type alias for kinds with two type arguments.
alias of AwaitableFutureN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of AwaitableFutureN[_FirstType, _SecondType, _ThirdType]
Bases: FutureLikeN[_FirstType, _SecondType, _ThirdType], AwaitableFutureN[_FirstType, _SecondType, _ThirdType]
Base type for real Future objects.
They can be awaited.
Type alias for kinds with one type argument.
alias of FutureBasedN[_FirstType, NoReturn, NoReturn]
Type alias for kinds with two type arguments.
alias of FutureBasedN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of FutureBasedN[_FirstType, _SecondType, _ThirdType]
Represents the base interfaces for types that do fear-some async operations.
This type means that FutureResult can (and will!) fail with exceptions.
Use this type to mark that this specific async opetaion can fail.
Bases: FutureLikeN[_FirstType, _SecondType, _ThirdType], IOResultLikeN[_FirstType, _SecondType, _ThirdType]
Base type for ones that does look like FutureResult.
But at the time this is not a real Future and cannot be awaited.
It is also cannot be unwrapped, because it is not a real IOResult.
Allows to bind FutureResult functions over a container.
self (TypeVar(_FutureResultLikeType, bound= FutureResultLikeN)) –
function (Callable[[TypeVar(_FirstType)], FutureResult[TypeVar(_UpdatedType), TypeVar(_SecondType)]]) –
KindN[TypeVar(_FutureResultLikeType, bound= FutureResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Allows to bind async FutureResult functions over container.
self (TypeVar(_FutureResultLikeType, bound= FutureResultLikeN)) –
function (Callable[[TypeVar(_FirstType)], Awaitable[FutureResult[TypeVar(_UpdatedType), TypeVar(_SecondType)]]]) –
KindN[TypeVar(_FutureResultLikeType, bound= FutureResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Creates new container from a failed Future.
Creates container from FutureResult instance.
inner_value (FutureResult[TypeVar(_ValueType), TypeVar(_ErrorType)]) –
KindN[TypeVar(_FutureResultLikeType, bound= FutureResultLikeN), TypeVar(_ValueType), TypeVar(_ErrorType), TypeVar(_ThirdType)]
Type alias for kinds with two type arguments.
alias of FutureResultLikeN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of FutureResultLikeN[_FirstType, _SecondType, _ThirdType]
Bases: FutureBasedN[_FirstType, _SecondType, _ThirdType], FutureResultLikeN[_FirstType, _SecondType, _ThirdType]
Base type for real FutureResult objects.
They can be awaited. Still cannot be unwrapped.
Type alias for kinds with two type arguments.
alias of FutureResultBasedN[_FirstType, _SecondType, NoReturn]
Type alias for kinds with three type arguments.
alias of FutureResultBasedN[_FirstType, _SecondType, _ThirdType]
This module is special.
Reader does not produce ReaderLikeN interface as other containers.
Because Reader can be used with two or three type arguments:
- RequiresContext[value, env]
- RequiresContextResult[value, error, env]
Because the second type argument changes its meaning
based on the used KindN instance,
we need to have two separate interfaces for two separate use-cases:
- ReaderLike2 is used for types where the second type argument is env
- ReaderLike3 is used for types where the third type argument is env
We also have two methods and two poinfree helpers
for bind_context composition: one for each interface.
Furthermore, Reader cannot have ReaderLike1 type,
because we need both value and env types at all cases.
Bases: Generic[_ValueType, _EnvType]
Special type we use as a base one for all callble Reader instances.
It only has a single method. And is a base type for every single one of them.
But, each Reader defines the return type differently.
For example:
Reader has just _ReturnType
ReaderResult has Result[_FirstType, _SecondType]
ReaderIOResult has IOResult[_FirstType, _SecondType]
And so on.
Bases: ContainerN[_FirstType, _SecondType, NoReturn]
Reader interface for Kind2 based types.
It has two type arguments and treats the second type argument as env type.
Is required to call Reader with no explicit arguments.
:param self:
:type self: TypeVar(_ReaderLike2Type, bound= ReaderLike2)
Allows to apply a wrapped function over a Reader container.
self (TypeVar(_ReaderLike2Type, bound= ReaderLike2)) –
function (Callable[[TypeVar(_FirstType)], RequiresContext[TypeVar(_UpdatedType), TypeVar(_SecondType)]]) –
KindN[TypeVar(_ReaderLike2Type, bound= ReaderLike2), TypeVar(_UpdatedType), TypeVar(_SecondType), Any]
Transforms the environment before calling the container.
self (TypeVar(_ReaderLike2Type, bound= ReaderLike2)) –
function (Callable[[TypeVar(_UpdatedType)], TypeVar(_SecondType)]) –
KindN[TypeVar(_ReaderLike2Type, bound= ReaderLike2), TypeVar(_FirstType), TypeVar(_UpdatedType), Any]
Returns the dependencies inside the container.
KindN[TypeVar(_ReaderLike2Type, bound= ReaderLike2), TypeVar(_SecondType), TypeVar(_SecondType), Any]
Unit method to create new containers from successful Reader.
inner_value (RequiresContext[TypeVar(_ValueType), TypeVar(_EnvType)]) –
KindN[TypeVar(_ReaderLike2Type, bound= ReaderLike2), TypeVar(_ValueType), TypeVar(_EnvType), Any]
Bases: ReaderLike2[_FirstType, _SecondType], Contextable[_ValueType, _EnvType]
Intermediate interface for ReaderLike2 + __call__ method.
Has 4 type variables to type Reader and __call__ independently.
Since, we don’t have any other fancy ways of doing it.
Should not be used directly
other than defining your own Reader interfaces.
Bases: ContainerN[_FirstType, _SecondType, _ThirdType]
Reader interface for Kind3 based types.
It has three type arguments and treats the third type argument as env type. The second type argument is not used here.
Is required to call Reader with no explicit arguments.
:param self:
:type self: TypeVar(_ReaderLike3Type, bound= ReaderLike3)
Allows to apply a wrapped function over a Reader container.
self (TypeVar(_ReaderLike3Type, bound= ReaderLike3)) –
function (Callable[[TypeVar(_FirstType)], RequiresContext[TypeVar(_UpdatedType), TypeVar(_ThirdType)]]) –
KindN[TypeVar(_ReaderLike3Type, bound= ReaderLike3), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Transforms the environment before calling the container.
self (TypeVar(_ReaderLike3Type, bound= ReaderLike3)) –
function (Callable[[TypeVar(_UpdatedType)], TypeVar(_ThirdType)]) –
KindN[TypeVar(_ReaderLike3Type, bound= ReaderLike3), TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_UpdatedType)]
Returns the dependencies inside the container.
KindN[TypeVar(_ReaderLike3Type, bound= ReaderLike3), TypeVar(_ThirdType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Unit method to create new containers from successful Reader.
inner_value (RequiresContext[TypeVar(_ValueType), TypeVar(_EnvType)]) –
KindN[TypeVar(_ReaderLike3Type, bound= ReaderLike3), TypeVar(_ValueType), TypeVar(_SecondType), TypeVar(_EnvType)]
Bases: ReaderLike3[_FirstType, _SecondType, _ThirdType], Contextable[_ValueType, _EnvType]
Intermediate interface for ReaderLike3 + __call__ method.
Has 5 type variables to type Reader and __call__ independently.
Since, we don’t have any other fancy ways of doing it.
Should not be used directly
other than defining your own Reader interfaces.
Bases: LawSpecDef
Concrete laws for ReaderBased2.
See: https://github.com/haskell/mtl/pull/61/files
Calling a Reader twice has the same result with the same env.
container (ReaderBased2[TypeVar(_FirstType), TypeVar(_SecondType)]) –
env (TypeVar(_SecondType)) –
None
Asking for an env, always returns the env.
container (ReaderBased2[TypeVar(_FirstType), TypeVar(_SecondType)]) –
env (TypeVar(_SecondType)) –
None
Bases: CallableReader2[_FirstType, _SecondType, _FirstType, _SecondType], Lawful[ReaderBased2[_FirstType, _SecondType]]
This interface is very specific to our Reader type.
The only thing that differs from ReaderLike2 is that we know
the specific types for its __call__ method.
Bases: ReaderLike3[_FirstType, _SecondType, _ThirdType], ResultLikeN[_FirstType, _SecondType, _ThirdType]
Base interface for all types that do look like ReaderResult instance.
Cannot be called.
Binds a ReaderResult returning function over a container.
self (TypeVar(_ReaderResultLikeType, bound= ReaderResultLikeN)) –
function (Callable[[TypeVar(_FirstType)], RequiresContextResult[TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
KindN[TypeVar(_ReaderResultLikeType, bound= ReaderResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Unit method to create new containers from failed Reader.
inner_value (RequiresContext[TypeVar(_ErrorType), TypeVar(_EnvType)]) –
KindN[TypeVar(_ReaderResultLikeType, bound= ReaderResultLikeN), TypeVar(_FirstType), TypeVar(_ErrorType), TypeVar(_EnvType)]
Unit method to create new containers from ReaderResult.
inner_value (RequiresContextResult[TypeVar(_ValueType), TypeVar(_ErrorType), TypeVar(_EnvType)]) –
KindN[TypeVar(_ReaderResultLikeType, bound= ReaderResultLikeN), TypeVar(_ValueType), TypeVar(_ErrorType), TypeVar(_EnvType)]
Type alias for kinds with three type arguments.
alias of ReaderResultLikeN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Concrete laws for ReaderResulBasedN.
See: https://github.com/haskell/mtl/pull/61/files
Calling a Reader twice has the same result with the same env.
container (ReaderResultBasedN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
env (TypeVar(_ThirdType)) –
None
Asking for an env, always returns the env.
container (ReaderResultBasedN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
env (TypeVar(_ThirdType)) –
None
Bases: ReaderResultLikeN[_FirstType, _SecondType, _ThirdType], CallableReader3[_FirstType, _SecondType, _ThirdType, Result[_FirstType, _SecondType], _ThirdType], Lawful[ReaderResultBasedN[_FirstType, _SecondType, _ThirdType]]
This interface is very specific to our ReaderResult type.
The only thing that differs from ReaderResultLikeN is that we know
the specific types for its __call__ method.
In this case the return type of __call__ is Result.
Type alias for kinds with three type arguments.
alias of ReaderResultBasedN[_FirstType, _SecondType, _ThirdType]
Bases: ReaderResultLikeN[_FirstType, _SecondType, _ThirdType], IOResultLikeN[_FirstType, _SecondType, _ThirdType]
Base interface for all types that do look like ReaderIOResult instance.
Cannot be called.
Binds a ReaderIOResult returning function over a container.
self (TypeVar(_ReaderIOResultLikeType, bound= ReaderIOResultLikeN)) –
function (Callable[[TypeVar(_FirstType)], RequiresContextIOResult[TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
KindN[TypeVar(_ReaderIOResultLikeType, bound= ReaderIOResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Unit method to create new containers from ReaderIOResult.
inner_value (RequiresContextIOResult[TypeVar(_ValueType), TypeVar(_ErrorType), TypeVar(_EnvType)]) –
KindN[TypeVar(_ReaderIOResultLikeType, bound= ReaderIOResultLikeN), TypeVar(_ValueType), TypeVar(_ErrorType), TypeVar(_EnvType)]
Type alias for kinds with three type arguments.
alias of ReaderIOResultLikeN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Concrete laws for ReaderIOResultBasedN.
See: https://github.com/haskell/mtl/pull/61/files
Asking for an env, always returns the env.
container (ReaderIOResultBasedN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
env (TypeVar(_ThirdType)) –
None
Bases: ReaderIOResultLikeN[_FirstType, _SecondType, _ThirdType], CallableReader3[_FirstType, _SecondType, _ThirdType, IOResult[_FirstType, _SecondType], _ThirdType], Lawful[ReaderIOResultBasedN[_FirstType, _SecondType, _ThirdType]]
This interface is very specific to our ReaderIOResult type.
The only thing that differs from ReaderIOResultLikeN is that we know
the specific types for its __call__ method.
In this case the return type of __call__ is IOResult.
Type alias for kinds with three type arguments.
alias of ReaderIOResultBasedN[_FirstType, _SecondType, _ThirdType]
Bases: ReaderIOResultLikeN[_FirstType, _SecondType, _ThirdType], FutureResultLikeN[_FirstType, _SecondType, _ThirdType]
Interface for all types that do look like ReaderFutureResult instance.
Cannot be called.
Bind a ReaderFutureResult returning function over a container.
self (TypeVar(_ReaderFutureResultLikeType, bound= ReaderFutureResultLikeN)) –
function (Callable[[TypeVar(_FirstType)], RequiresContextFutureResult[TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]]) –
KindN[TypeVar(_ReaderFutureResultLikeType, bound= ReaderFutureResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Bind async ReaderFutureResult function.
self (TypeVar(_ReaderFutureResultLikeType, bound= ReaderFutureResultLikeN)) –
function (Callable[[TypeVar(_FirstType)], Awaitable[RequiresContextFutureResult[TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]]]) –
KindN[TypeVar(_ReaderFutureResultLikeType, bound= ReaderFutureResultLikeN), TypeVar(_UpdatedType), TypeVar(_SecondType), TypeVar(_ThirdType)]
Unit method to create new containers from ReaderFutureResult.
inner_value (RequiresContextFutureResult[TypeVar(_ValueType), TypeVar(_ErrorType), TypeVar(_EnvType)]) –
KindN[TypeVar(_ReaderFutureResultLikeType, bound= ReaderFutureResultLikeN), TypeVar(_ValueType), TypeVar(_ErrorType), TypeVar(_EnvType)]
Type alias for kinds with three type arguments.
alias of ReaderFutureResultLikeN[_FirstType, _SecondType, _ThirdType]
Bases: LawSpecDef
Concrete laws for ReaderFutureResultBasedN.
See: https://github.com/haskell/mtl/pull/61/files
Asking for an env, always returns the env.
container (ReaderFutureResultBasedN[TypeVar(_FirstType), TypeVar(_SecondType), TypeVar(_ThirdType)]) –
env (TypeVar(_ThirdType)) –
None
Bases: ReaderFutureResultLikeN[_FirstType, _SecondType, _ThirdType], CallableReader3[_FirstType, _SecondType, _ThirdType, FutureResult[_FirstType, _SecondType], _ThirdType], Lawful[ReaderFutureResultBasedN[_FirstType, _SecondType, _ThirdType]]
This interface is very specific to our ReaderFutureResult type.
The only thing that differs from ReaderFutureResultLikeN
is that we know the specific types for its __call__ method.
In this case the return type of __call__ is FutureResult.
Type alias for kinds with three type arguments.
alias of ReaderFutureResultBasedN[_FirstType, _SecondType, _ThirdType]