{ This is my poor understanding of a monad. ~drummyfish }
Monad is a mathematical concept which has become useful in functional programming and is one of the very basic design patterns in this paradigm. A monad basically wraps some data type into an "envelope" type and gives a way to operate with these wrapped data types which greatly simplifies things like error checking or abstracting input/output side effects.
A typical example is a maybe monad which wraps a type such as integer to handle exceptions such as division by zero. A maybe monad consists of:
Let's look at a pseudocode example of writing a safe division function. Without using the combinator it's kind of ugly:
divSafe(x,y) = // takes two maybe values, returns a maybe value
if x == nothing
nothing else
if y == nothing
nothing else
if y == 0
nothing else
just(x / y)
With the combinator it gets much nicer (note the use of lambda expression):
divSafe(x,y) =
x >>= { a: y >== { b: if b == 0 nothing else a / b } }
Languages will typicall make this even nicer with a syntax sugar such as:
divSafe(x,y) = do
a <- x,
b <- y,
if y == 0 nothing else return(a / b)
TODO: I/O monad TODO: general monad TODO: example in real lang, e.g. haskell
All content available under CC0 1.0 (public domain). Send comments and corrections to drummyfish at disroot dot org.