Pattern Matching
When dealing with custom types, you likely want to do different things based on the actual value of the custom type. The when is expression provides this flexibility.
type Role = Viewer | Editor | Admin
canEdit : Role -> BoolcanEdit role = when role is Viewer -> False
Editor -> True
Admin -> TrueIn gren, pattern matching is exhaustive. That means the compiler will complain if you don’t cover all possible cases. This is very helpful, since you can add a variant to your custom type without worrying that you forgot to handle it somewhere.
If you don’t need to handle all possible cases explicitly, you can use _ as a catch-all:
canAddUser : Role -> BoolcanAddUser role = when role is Admin -> True _ -> FalseYou can use pattern matching on other things than just custom types. Like integers:
isZero : Int -> BoolisZero num = when num is 0 -> True _ -> FalseOr even records:
combineIngredients : QuantifiedIngredient -> QuantifiedIngredient -> QuantifiedIngredientcombineIngredients left right = when { leftQty = left.quantity, rightQty = right.quantity } is { leftQty = 0 } -> right
{ rightQty = 0 } -> left
_ -> { ingredient = left.ingredient ++ " and " ++ right.ingredient , quantity = left.quantity + right.quantity }Patterns with Data
You can use pattern matching to extract nested data from your values.
If you have a custom type with data, you can give that data a name and use it in the branch for that pattern:
explainHeldItem : Maybe String -> StringexplainHeldItem maybeItem = when maybeItem is Nothing -> "You're not holding anything"
Just item -> "You're holding a " ++ item
holdingSword : StringholdingSword = explainHeldItem (Just "Sword")Extracting nested data like this is called destructuring.