You are currently looking at the v12 docs, which are still a work in progress. If you miss anything, you may find it in the older v11 docs here.
Generalized Algebraic Data Types
Generalized Algebraic Data Types (GADTs) are an advanced feature of ReScript's type system. "Generalized" can be somewhat of a misnomer -- what they actually allow you to do is add some extra type-specificity to your variants. Using a GADT, you can give the individual cases of a variant different types.
For a quick overview of the use cases, reach for GADTs when:
You need to distinguish between different members of a variant at the type level.
You want to "hide" type information in a type-safe way, without resorting to casts.
You need a function to return a different type depending on its input.
GADTs usually are overkill, but when you need them, you need them! Understanding them from first principles is difficult, so it is best to explain through some motivating examples.
Distinguishing Constructors (Subtyping)
Suppose a simple variant type that represents the current timezone of a date value. This handles both daylight savings and standard time:
REStype timezone =
| EST // standard time
| EDT // daylight time
| CST // standard time
| CDT // daylight time
// etc...
Using this variant type, we will end up having functions like this:
RESlet convertToDaylight = tz => {
switch tz {
| EST => EDT
| CST => CDT
| EDT | CDT /* or, _ */ => failwith("Invalid timezone provided!")
}
}
This function is only valid for a subset of our variant type's constructors but we can't handle this in a type-safe way using regular variants. We have to enforce that at runtime -- and moreover the compiler can't help us ensure we are failing only in the invalid cases. We are back to dynamically checking validity like we would in a language without static typing. If you work with a large variant type long enough, you will frequently find yourself writing repetitive catchall switch
statements like the above, and for little actual benefit. The compiler should be able to help us here.
Let's see if we can find a way for the compiler to help us with normal variants. We could define another variant type to distinguish the two kinds of timezone.
REStype daylightOrStandard =
| Daylight(timezone)
| Standard(timezone)
This has a lot of problems. For one, it's cumbersome and redundant. We would now have to pattern-match twice whenever we deal with a timezone that's wrapped up here. The compiler will force us to check whether we are dealing with daylight or standard time, but notice that there's nothing stopping us from providing invalid timezones to these constructors:
RESlet invalidTz1 = Daylight(EST)
let invalidTz2 = Standard(EDT)
Consequently, we still have to write our redundant catchall cases. We could define daylight savings time and standard time as two separate types, and unify those in our daylightOrStandard
variant.
That could be a passable solution, but what we would really like to do is implement some kind of subtyping relationship.
We have two kinds of timezone. This is where GADTs are handy:
REStype standard
type daylight
type rec timezone<_> =
| EST: timezone<standard>
| EDT: timezone<daylight>
| CST: timezone<standard>
| CDT: timezone<daylight>
We define our type with a type parameter. We manually annotate each constructor, providing it with the correct type parameter indicating whether it is standard or daylight. Each constructor is a timezone
,
but we've added another level of specificity using a type parameter. Constructors are now understood to be standard
or daylight
at the type level. Now we can fix our function like this:
RESlet convertToDaylight = tz => {
switch tz {
| EST => EDT
| CST => CDT
}
}
The compiler can infer correctly that this function should only take timezone<standard>
and only output
timezone<daylight>
. We don't need to add any redundant catchall cases and the compiler will even error if
we try to return a standard timezone from this function. Actually, this seems like it could be a problem,
we still want to be able to match on all cases of the variant sometimes, and a naive attempt at this will not pass the type checker. A naive example will fail:
RESlet convertToDaylight = tz =>
switch tz {
| EST => EDT
| CST => CDT
| CDT => CDT
| EDT => EDT
}
This will complain that daylight
and standard
are incompatible. To fix this, we need to explicitly annotate to tell the compiler to accept both:
RESlet convertToDaylight : type a. timezone<a> => timezone<daylight> = // ...
The syntax type a.
here defines a locally abstract type which basically tells the compiler that the type parameter a is some specific type, but we don't care what it is. The cost of the extra specificity and safety that
GADTs give us is that the compiler less able to help us with type inference.
Varying return type
Sometimes, a function should have a different return type based on what you give it, and GADTs are how we can do this in a type-safe way. We can implement a generic add
function1 that works on both int
or float
:
REStype rec number<_> = Int(int): number<int> | Float(float): number<float>
let add = (type a, x: number<a>, y: number<a>): a =>
switch (x, y) {
| (Int(x), Int(y)) => x + y
| (Float(x), Float(y)) => x +. y
}
let foo = add(Int(1), Int(2))
let bar = add(Int(1), Float(2.0)) // the compiler will complain here
How does this work? The key thing is the function signature for add. The number
GADT is acting as a type witness. We have told the compiler that the type parameter for number
will be the same as the type we return -- both are set to a
. So if we provide a number<int>
, a
equals int
, and the function will therefore return an int
.
We can also use this to avoid returning option
unnecessarily. We create an array searching function which either raises an exception, returns an option
, or provides a default
value depending on the behavior we ask for.2
RESmodule IfNotFound = {
type rec t<_, _> =
| Raise: t<'a, 'a>
| ReturnNone: t<'a, option<'a>>
| DefaultTo('a): t<'a, 'a>
}
let flexible_find = (
type a b,
~f: a => bool,
arr: array<a>,
ifNotFound: IfNotFound.t<a, b>,
): b => {
open IfNotFound
switch Array.find(arr, f) {
| None =>
switch ifNotFound {
| Raise => failwith("No matching item found")
| ReturnNone => None
| DefaultTo(x) => x
}
| Some(x) =>
switch ifNotFound {
| ReturnNone => Some(x)
| Raise => x
| DefaultTo(_) => x
}
}
}
Hide and recover Type information Dynamically
In an advanced case that combines the above techniques, we can use GADTs to selectively hide and recover type information. This helps us create more generic types.
The below example defines a num
type similar to our above addition example, but this lets us use int
and float
arrays
interchangeably, hiding the implementation type rather than exposing it. This is similar to a regular variant. However, it is a tuple including embedding a numTy
and another value.
numTy
serves as a type-witness, making it
possible to recover type information that was hidden dynamically. Matching on numTy
will "reveal" the type of the other value in the pair. We can use this to write a generic sum function over arrays of numbers:
REStype rec numTy<'a> =
| Int: numTy<int>
| Float: numTy<float>
and num = Num(numTy<'a>, 'a): num
and num_array = Narray(numTy<'a>, array<'a>): num_array
let addInt = (x, y) => x + y
let addFloat = (x, y) => x +. y
let sum = (Narray(witness, array)) => {
switch witness {
| Int => Num(Int, array->Array.reduce(0, addInt))
| Float => Num(Float, array->Array.reduce(0., addFloat))
}
}
A Practical Example -- writing bindings:
Javascript libraries that are highly polymorphic or use inheritance can benefit hugely from GADTs, but they can be useful for bindings even in other cases. The following examples are writing bindings to a simplified
of Node's Stream
API.
This API has a method for binding event handlers, on
. This takes an event and a callback. The callback accepts different parameters
depending on which event we are binding to. A naive implementation might look similar to this, defining a
separate method for each stream event to wrap the unsafe version of on
.
RESmodule Stream = {
type t
@new @module("node:http") external make: unit => t = "stream"
@send external on : (stream, string, 'a) => unit
let onEnd = (stream, callback: unit=> unit) => stream->on("end", callback)
let onData = (stream, callback: ('a => 'b)) => stream->on("", callback)
// etc. ...
}
Not only is this quite tedious to write and quite ugly, but we gain very little in return. The function wrappers even add performance overhead, so we are losing on all fronts. If we define subtypes of
Stream like Readable
or Writable
, which have all sorts of special interactions with the callback that jeopardize our type-safety, we are going to be in even deeper trouble.
Instead, we can use the same GADT technique that let us vary return type to vary the input type. Not only are we able to now just use a single method, but the compiler will guarantee we are always using the correct callback type for the given event. We simply define an event GADT which specifies the type signature of the callback and pass this instead of a plain string.
Additionally, we use some type parameters to represent the different types of Streams.
This example is complex, but it enforces tons of useful rules. The wrong event can never be used
with the wrong callback, but it also will never be used with the wrong kind of stream. The compiler will for example complain if we try to use a Pipe
event with anything other than a writable
stream.
The real magic happens in the signature of on
. Read it carefully, and then look at the examples and try to
follow how the type variables are getting filled in, write it out on paper what each type variable is equal
to if you need and it will soon become clear.
RES
module Stream = {
type t<'a>
type writable
type readable
type buffer = {buffer: ArrayBuffer.t}
@unboxed
type chunk =
| Str(string)
// Node uses actually its own buffer type, but for the tutorial we are using the stdlib's buffer type.
| Buf(buffer)
type rec event<_, _> =
// "as" here is setting the runtime representation of our constructor
| @as("pipe") Pipe: event<writable, t<readable> => unit>
| @as("end") End: event<'inputStream, option<chunk> => unit>
| @as("data") Data: event<readable, chunk => unit>
@new @module("node:http") external make: unit => t<'a> = "Stream"
@send
external on: (t<'inputStream>, event<'inputStream, 'callback>, 'callback) => unit = "on"
}
let writer = Stream.Writable.make()
let reader = Stream.Readable.make()
// Types will be correctly inferred for each callback, based on the event parameter provided
writer->Stream.on(Pipe, r => {
Console.log("Piping has started")
r->Stream.on(Data, chunk =>
switch chunk {
| Stream.Str(s) => Console.log(s)
| Stream.Buf(buffer) => Console.log(buffer)
}
)
})
writer->Stream.on(End, _ => Console.log("End reached"))
This example is only over a tiny, imaginary subset of Node's Stream API, but it shows a real-life example where GADTs are all but indispensable.
Conclusion
While GADTs can make your types extra-expressive and provide more safety, with great power comes great responsibility. Code that uses GADTs can sometimes be too clever for its own good. The type errors you encounter will be more difficult to understand, and the compiler sometimes requires extra help to properly type your code.
However, there are definite situations where GADTs are the right decision
and will simplify your code and help you avoid bugs, even rendering some bugs impossible. The Stream
example above is a good example where the "simpler" alternative of using regular variants or even strings
would lead to a much more complex and error prone interface.
Ordinary variants are not necessarily simple therefore, and neither are GADTs necessarily complex. The choice is rather which tool is the right one for the job. When your logic is complex, the highly expressive nature of GADTs can make it simpler to capture that logic. When your logic is simple, it's best to reach for a simpler tool and avoid the cognitive overhead. The only way to get good at identifying which tool to use in a given situation is to practice and experiment with both.