DEV Community

Anthony G
Anthony G

Posted on • Updated on

Why is fp-ts Option like that?

Removing the label

tl;dr

Option contains more data when nested than traditional nullable values do.

Contents

The problem

Option is nice - it's got a monad instance and pipeable helper functions and all that - but it can be inconvenient when you have to also work with null or undefined.

With the Array and Record helper functions & typeclass instances, I'm able to simply input and output standard Typescript Array and Record types:

import * as A from 'fp-ts/Array'
import * as R from 'fp-ts/Record'
import { pipe } from 'fp-ts/pipeable'

const arr: number[] = pipe(
  [1, 2, 3],
  A.map(n => n * 2),
)
const rec: Record<string, number> = pipe(
  {a: 1, b: 2, c: 3},
  R.map(n => n * 2),
)
Enter fullscreen mode Exit fullscreen mode

Option represents a similarly common pattern (nullables), but I have to convert nullable values using O.fromNullable and back again using O.toUndefined:

import * as O from 'fp-ts/Option'
const nullablenum: number | undefined = ...
const opt: number | undefined = pipe(
  nullablenum,
  O.fromNullable,
  O.map(n => n * 2),
  O.toUndefined
)
Enter fullscreen mode Exit fullscreen mode

If you're interested in whether to use 'Nullable' or Option, check out my companion article, Should I Use fp-ts Option

But why do we have to choose? Why isn't Option just defined as type Option<A> = A | undefined? It's trivial to implement a monad instance for that type:

import { identity } from 'fp-ts/function'

type Option<A> = A | undefined
export const OptionMonad = {
  of: identity,
  chain: <A, B>(fa: Option<A>, f: (a: A) => Option<B>): Option<B> => fa !== undefined ? f(fa) : undefined,
}
Enter fullscreen mode Exit fullscreen mode

What gives? Wouldn't that make life much easier? Isn't O.none the same thing as undefined anyway?

Something Option can do that Nullable Can't

Consider this contrived example:

const firstTerm: number | undefined = 3
const secondTerm: number | undefined = undefined
const sum: number | undefined = firstTerm
  ? secondTerm
    ? firstTerm + secondTerm
    : undefined
  : undefined
Enter fullscreen mode Exit fullscreen mode

Here's how we might use this:

if (sum !== undefined) {
  console.log(`sum: ${sum}`)
} else {
  console.error(`Not enough terms`)
}
// output: Not enough terms
Enter fullscreen mode Exit fullscreen mode

What if we want to print different error output depending on which term is missing?

if (sum === undefined) {
  // does 'firstTerm' exist or not?
}
Enter fullscreen mode Exit fullscreen mode

undefined can't nest

Ideally, we might want a type signature that looks like this:

const sum: number | undefined | undefined = firstTerm
  ? secondTerm
    ? firstTerm + secondTerm
    : undefined
  : undefined
Enter fullscreen mode Exit fullscreen mode

Believe it or not, this compiles! But these two undefineds are the same. How would we know which is which?

This works because the compiler unifies these types under the hood. There are three possible return cases: number, undefined, and undefined. Typescript takes the union of these cases, which removes the redundant undefined and flattens to number | undefined

For nullables, flatten is the identity function.

Option saves the day!

import { flow } from 'fp-ts/function'
import { pipe } from 'fp-ts/pipeable'
import * as O from 'fp-ts/Option'

const firstTerm: O.Option<number> = O.some(3)
const secondTerm: O.Option<number> = O.none
const sum: O.Option<O.Option<number>> = pipe(
  firstTerm,
  O.map(firstTerm => pipe(
    secondTerm,
    O.map(secondTerm => firstTerm + secondTerm)
  )),
)
pipe(
  sum,
  O.fold(
    () => console.error(`First term doesn't exist`),
    O.fold(
      () => console.error(`Second term doesn't exist`),
      sum => console.log(`sum: ${sum}`)
    ),
  ),
)
// output: Second term doesn't exist
Enter fullscreen mode Exit fullscreen mode

The magic here is in the type of sum:

const sum: O.Option<O.Option<number>>
Enter fullscreen mode Exit fullscreen mode

Option nests! This means that we're able to track exactly where our operation failed.

Metadata and Data: Sum Types vs Union Types

Gabriel Lebec explained to me on the fp-ts slack channel that Option gives us

separation between meaningful layers (metadata vs. data)

Here, our metadata tells us whether an operation was successful or not.

Option is implemented as a sum type (or tagged union or discriminated union), so under the hood, the metadata and the data are stored separately, like so: { _tag: 'Some', value: 3 }. _tag is the metadata and value is the data. This allows us to nest different data together and keep their associated metadata separate.

On the flip side, a union with undefined combines the metadata and the data.

const separatedMetadata: O.Option<O.Option<number>> = {
  _tag: 'Some',
  value: {
    _tag: 'None'
  }
}
const coupledMetadata: number | undefined = undefined
Enter fullscreen mode Exit fullscreen mode

A value of undefined is both the metadata of 'failure' and the data of 'no result'.

In contrast, a value of 3 is both the metadata of 'success' and the data of '3'.

const separatedMetadata2: O.Option<O.Option<number>> = {
  _tag: 'Some',
  value: {
    _tag: 'Some',
    value: 3
  }
}
const coupledMetadata2: number | undefined = 3
Enter fullscreen mode Exit fullscreen mode

While the types O.None and undefined may seem similar, { _tag: 'None' } has more information encoded into it than undefined. This is because _tag must be one of two values, while undefined has no such context. In the earlier case of sum, undefined smushes two different metadata together inseparably, resulting in information loss.

Set Theory

While union types are simply the union of two sets

A ∪ B

Each element of a sum type necessarily has a label 'l'

A + B = ({lA} × A) ∪ ({lB} × B)

This label represents the set the object originated from. It allows each object can 'remember' where it came from.

We can also see in the above equation that a sum type is a union type, but not vice versa.

This is where the term 'tagged union' comes from.

In Option, this label is the _tag field.

When nested, the _tag field helps Option 'remember' whether it has succeeded or failed.

Category Theory

Another way to think about nestabiltiy is through the lens of formal monadic correctness.

Remember our OptionMonad instance defined earlier? Although it's is correctly typed, it is not in fact a proper monad instance - it fails the left identity law

const f = (_: undefined): number => 1
const leftTerm = OptionMonad.chain(OptionMonad.of(undefined), f)
const rightTerm = f(undefined)
const leftIdentity = leftTerm === rightTerm
console.log(`${leftTerm} vs. ${rightTerm}`)
console.log(`left identity passes? ${leftIdentity}`)
// undefined vs. 1
// left identity passes? false
Enter fullscreen mode Exit fullscreen mode

The monadic left identity deals with flattening and wrapping1 - basically it asks the question "do the flattening from chain and the wrapping from of consistently cancel each other out?"

In our case, the answer is no. Since our of is the identity function, it doesn't really wrap anything. Since our chain function has no wrapper to unwrap, it must short circuit on all undefined values, even if undefined was the value that we wanted it to pass through. Directly invoking f with an undefined value returns a number, so our behavior is shown to be inconsistent.

This proves in a simple way the pragmatic, engineering use of the monad laws (or one of them, anyway). The left identity ensures that monads are meaningfully nest-able.

Remember this the next time you find yourself frustrated by O.fromNullable - you are lifting your unmarked data into a glorious nestable mathematically sound monadically wrapped value!

Conclusion

Hopefully this has provided some insight into why Option was implemented as a sum type, and not just a union type - and as a bonus, provided some insight into the practical benefits of proper category theoretical monads.

A month or two ago, I 'discovered' that a monad instance of Nullable could be valid (it's not) and have a simpler interface than the tagged union. I was excited, and I almost made a pull request to the library to 'fix' the 'problem' I had found.

Before I did that, however, I thought it would be wise to double check that this 'problem' was in fact a mistake. I asked the fp-ts slack channel why Option was implemented as a tagged union. You can click the link above to see the lovely explanations that people provided. Happily, I avoided implementing that pull request, and instead was redirected on a journey of learning that led me to write this article.

I am inspired by public forums where I'm able to ask basic questions and be taken seriously. I recommend joining the fp-ts and typescript slack channels here, especially if you're interested in deeper understanding of functional programming.

The community is supportive and kind, and has helped me become a better developer.

(edit:) The slack community continues to support me! Thanks to Monoid Musician for pointing out that sum types & union types belong to set theory, not category theory, and for pointing out that OptionMonad fails the monad laws.


  1. Some people dislike the wrapper metaphor - they correctly assert that it only describes a few monads, and only leads to more confusion later when introduced to more. Here are a couple of paradigmatic tweets (1, 2). 

    However, the paper What we Talk About When we Talk About Monads posits that such metaphors are necessary for a complete understanding of the concept, alongside 'formal' and 'implementation'-level knowledge.

Top comments (0)