Maybe¶
A Maybe
monad represents the possible absence of a value.
This is an equivalent of a nullable value, but a more faithful representation would be an array
containing 0 or 1 value.
In essence:
use Innmind\Immutable\Maybe;
$valueExist = 42;
$valueDoesNotExist = null;
// or
$valueExist = [42];
$valueDoesNotExist = [];
// becomes
$valueExist = Maybe::just(42);
$valueDoesNotExist = Maybe::nothing();
Each example will show how to use Maybe
and the imperative equivalent in plain old PHP .
Usage¶
In this function we represent the fact that they're may be not a User
for every id. To work with the user, if there's any, you would do:
As you can see the 2 approaches are very similar for now.
In this example the user is directly used as an argument to a function but we often want to extract some data before calling some function. A use case could be to extract the brother id out of this user and call again our function.
This example introduces the map
and flatMap
methods. They behave the same way as their Sequence
counterpart.
map
will apply the function in case theMaybe
contains a value-
flatMap
is similar tomap
except that the function passed to it must return aMaybe
, instead of having the return typeMaybe<Maybe<User>>
you'll have aMaybe<User>
What this example shows is that with Maybe
you only need to deal with the possible absence of the data when you extract it. While with the imperative style you need to deal with it each time you call a function.
This becomes even more flagrant if the method that returns the brother id itself may not return a value . The signature becomes function getBrotherId(): Maybe<int>
.
So far we do nothing in case our user doesn't have a brother. But what if we want to check if he has a sister in case he doesn't have a brother ? Maybe
has an expressive way to describe such case:
$user = getUser(42);
if (\is_null($user)) {
brotherDoesNotExist();
return;
}
$siblingId = $user->getBrotherId() ?? $user->getSisterId();
if (\is_null($siblingId)) {
brotherDoesNotExist();
return;
}
$sibling = getUser($siblingId);
if (\is_null($sibling)) {
brotherDoesNotExist();
return;
}
doStuff($sibling);
In the ecosystem¶
Maybe
is used to express the abscence of data or the possible failure of an operation . For the latter it is expressed via Maybe<Innmind\Immutable\SideEffect>
, meaning if it contains a SideEffect
the operation as succeeded otherwise it failed.
It also has a deferred mode like Sequence
that allows to not directly load in memory a value when you call $sequence->get($index)
. The returned Maybe
in this case will load the value when you call the match
method.