Monads: write what!

Published: Mar 17, 2025
By: Stefano Righini

Introduction

Monads originate from category theory in mathematics, but in computer science, they serve as a design pattern that structures computations. While definitions can be abstract, monads provide a practical way to handle effects such as optional values, asynchronicity, and state management in a pure and composable manner.

What is a Monad?

A monad is a computational structure that allows chaining operations while managing side effects. More specifically, monads allow you to focus on the application logic ('what' needs to be done) while abstracting away the implementation details ('how' operations are executed and effects are managed). It consists of three fundamental components:

  • Type Constructor (T): This is a generic type wrapper that encapsulates a value or computation. It transforms a normal value into a monadic context.

  • Unit Function (wrap or pure): This function takes a raw value and places it into the monadic structure, effectively lifting it into a computational context.

  • Bind Function (flatMap or bind): This function applies a function to a wrapped value, ensuring that the function's output remains within the monadic structure. It allows sequential operations while maintaining the monadic context.

Monads must satisfy three mathematical laws to ensure consistent behavior:

  • Left Identity: pure(x).bind(f) === f(x)

  • Right Identity: m.bind(pure) === m

  • Associativity: (m.bind(f)).bind(g) === m.bind(x => f(x).bind(g))

These laws ensure that monads behave predictably and consistently across different computations. Without them, monadic operations could lead to unexpected results, making composition unreliable.

In TypeScript, a simple Result monad for handling errors could be implemented as:

// Type constructor
type Ok = { success: true; value: T }
type Err = { success: false; error: E }
type Result = Ok | Err

// Unit Functions
const Ok = (value: T): Ok => ({ success: true, value })
const Err = (error: E): Err => ({ success: false, error })

// Bind Function
const bind = (result: Result, fn: (value: T) => Result): Result =>
    result.success ? fn(result.value) : result

Benefits of monads

  • Encapsulates implementation details: Monads allow handling effects like errors, async operations, and state in a pure and controlled manner, keeping functional code predictable.

  • Composability: Operations using monads can be easily chained (flatMap or bind), improving readability and modularity.

  • Eliminates Null References and Exceptions: Using Option, Result, or similar monads prevents common issues like null dereferencing or unhandled exceptions.

  • Encourages Immutability: Since monads promote a functional approach, they help enforce immutability, making code safer in concurrent environments.

  • Improves Error Handling: Error monads (Either, Result) allow safe propagation of failures without disrupting control flow.

  • Uniform API for Different Effects: Using map, flatMap, and bind provides a consistent way to handle different effects across various contexts (e.g., async operations, optional values, computations).

Challenges of monads

  • Learning Curve: The concept of monads is abstract and often difficult for developers unfamiliar with functional programming.

  • Verbose Syntax: Without syntactic sugar (e.g., Scala’s for-comprehension or Haskell’s do notation), monadic chains can be verbose.

  • Harder Debugging: Debugging monadic code can be challenging since stack traces do not always point to the exact cause of an issue. However the pure and functional nature of monads encourages writing cleaner and more predictable code, reducing the likelihood of bugs. Moreover, the bind function could be used as a central point for debugging, allowing structured inspection of monadic transformations when needed.

  • Performance Overhead: Excessive use of monads may introduce unnecessary memory allocations and function calls, leading to minor runtime overhead.

  • Not Always the Best Tool: While monads are great for structuring computations, sometimes simpler imperative constructs (like early returns) might be more readable.

Monads in Any Programming Language

Monads exist or can be adopted in various languages and should be used wisely for: structured error handling, state management, async operations, and so on. They are a powerful design pattern that promotes a code written around what has to be done instead of how it should be. But since it is a design pattern should not be overused, in fact using monads where simple constructs suffice can overcomplicate code.

Usage example in TypeScript:

const divide = (a: number, b: number): Result =>
        b === 0 ? Err(Error("Division by zero")) : Ok(a / b)

const sqrt = (x: number): Result =>
        x < 0 ? Err(Error("Square root of negative number")) : Ok(Math.sqrt(x))

const log = (x: number): Result =>
        x <= 0 ? Err(Error("Logarithm of non-positive number")) : Ok(Math.log(x))

const r1 = divide(10, 2)
const r2 = bind(r1, sqrt)
const r3 = bind(r2, log)
console.log(r3) // { success: true, value: 0.8047189562170503 }

Monads in Functional Programming

Monads are a really good design pattern in other programming paradigm, like imperative or oop, and consequently in many languages, but they are essential (mandatory) in functional programming for:

  • Chaining behaviours while keeping pure functions.

  • Handling problems that have iterative solutions without breaking purity.

Example in Haskell:

safeDivide :: Double -> Double -> Maybe Double
safeDivide _ 0 = Nothing
safeDivide a b = Just (a / b)
result = Just 10 >>= (`safeDivide` 2) >>= (`safeDivide` 0)  -- Returns Nothing

Conclusion

Monads are a powerful abstraction that enhances code modularity, predictability, and composition. While they require an initial investment in learning, they help structure computations in a declarative and maintainable way, shifting the focus from control flow to data transformations. Monads are a powerful design pattern that encourages writing code focused on what needs to be done rather than how it should be executed.

Share on socials: