Monads are known to be theoretically a subset of functors and specifically applicative functors, even though it's not indicated in Haskell's type system.
Knowing that, given a monad and basing on return
and bind
, how to:
fmap
,<*>
?Functors apply a function to a wrapped value: Applicatives apply a wrapped function to a wrapped value: Monads apply a function that returns a wrapped value to a wrapped value. Monads have a function >>= (pronounced "bind") to do this.
Applicative functors are the programming equivalent of lax monoidal functors with tensorial strength in category theory. Applicative functors were introduced in 2008 by Conor McBride and Ross Paterson in their paper Applicative programming with effects.
The first function allows to transform your input values to a set of values that our Monad can compose. The second function allows for the composition. So in conclusion, every Monad is not a Functor but uses a Functor to complete it's purpose.
The expression fmap (*2) is a function that takes a functor f over numbers and returns a functor over numbers. That functor can be a list, a Maybe , an Either String, whatever. The expression fmap (replicate 3) will take a functor over any type and return a functor over a list of elements of that type.
Well, fmap
is just (a -> b) -> f a -> f b
, i.e. we want to transform the monadic action's result with a pure function. That's easy to write with do notation:
fmap f m = do
a <- m
return (f a)
or, written "raw":
fmap f m = m >>= \a -> return (f a)
This is available as Control.Monad.liftM
.
pure :: a -> f a
is of course return
. (<*>) :: f (a -> b) -> f a -> f b
is a little trickier. We have an action returning a function, and an action returning its argument, and we want an action returning its result. In do notation again:
mf <*> mx = do
f <- mf
x <- mx
return (f x)
Or, desugared:
mf <*> mx =
mf >>= \f ->
mx >>= \x ->
return (f x)
Tada! This is available as Control.Monad.ap
, so we can give a complete instance of Functor
and Applicative
for any monad M
as follows:
instance Functor M where
fmap = liftM
instance Applicative M where
pure = return
(<*>) = ap
Ideally, we'd be able to specify these implementations directly in Monad
, to relieve the burden of defining separate instances for every monad, such as with this proposal. If that happens, there'll be no real obstacle to making Applicative
a superclass of Monad
, as it'll ensure it doesn't break any existing code. On the other hand, this means that the boilerplate involved in defining Functor
and Applicative
instances for a given Monad
is minimal, so it's easy to be a "good citizen" (and such instances should be defined for any monad).
fmap = liftM
and (<*>) = ap
. Here are links to the source code for liftM and ap. I presume you know how to desugar do notation.
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With