...

/

Type Synonyms and newtype Wrappers

Type Synonyms and newtype Wrappers

Explore two alternatives to creating simple types with data: type synonyms and newtype wrappers.

So far, we have learned to create custom types using data declarations. They are especially useful for creating types with several alternative constructors or so-called sum types. In the case where our types can be constructed in only one way, there are two simpler alternatives we can apply.

Type synonyms

In the previous lessons we made use of the Coordinates type that represents a location in 2D space.

data Coordinates = Coordinates Double Double

In the end, we are using our Coordinates type similar to a tuple of two doubles. We even defined a Show instance for it that prints coordinates like a tuple of doubles. At this point why not simply use (Double, Double) instead?

Well for one, it can make type annotations (and error messages) more expressive. Let’s take for example the type signature of a distance function.

distance :: Coordinates -> Coordinates -> Double

From reading the type annotation, it is intuitively clear that distance will compute the distance in space between two coordinates. It is certainly a bit more clear than:

distance :: (Double, Double) -> (Double, Double) -> Double

However, to obtain this advantage, we do not have to create a new type. We can also choose to create a type synonym for (Double, Double) instead. This can be achieved using the type keyword.

type Coordinates = (Double, Double)

This type synonym declaration does not create a new type. Instead, it introduces a new name for the existing type (Double, Double), and they can now be used interchangeably. So, we can define our distance function as:

Press + to interact
type Coordinates = (Double, Double)
distance :: Coordinates -> Coordinates -> Double
distance (x1, y1) (x2, y2) = sqrt ((x1 - x2)^2 + (y1 - y2)^2)
main = print (distance (1, 3) (2.5, 2))

The type signature looks just like before when we had our own Coordinates type. And we do not need to worry about deriving or implementing type classes, as (Double, Double) already has instances for them.

Type synonyms are used as comments to make type annotations more readable and expressive. For example, a tokenizer that splits a text into words, sentences, and paragraphs might ...