👀 Unison at a glance

This document contains code snippets with a minimum of exposition. Links are provided throughout to more comprehensive docs sections. If you haven't downloaded the UCM, you might want to do that first. 😎

Hello World

Write your Unison code in any .u suffixed "scratch" file.

The classic helloWorld program performs console interactions via the IO ability. Read about how abilities model effects in Unison.

usingAbilitiesPt1.helloWorld : '{IO, Exception} ()
usingAbilitiesPt1.helloWorld _ = printLine "Hello World!"

Execute the entry point to your program with the run UCM command.

.> project.create hello-world
hello-world/main> run helloWorld

Or add your helloWorld program to the codebase and run it by packaging it up in a binary executable!

hello-world/main> add
hello-world/main> compile helloWorld helloFile

This will produce an executable file called helloFile.uc in the same directory as the codebase. You can then start your program in your terminal.

$ ucm run.compiled helloFile.uc

📚Learn more about executing Unison programs

Basic functions

The following introduces a function double with one parameter. Unison conventions for defining functions are detailed here

glance.double : Nat -> Nat
glance.double x =
  use Nat *
  x * 2
> double 4

The > in a scratch file runs the double function in a watch expression.

📚The Unison tour walks through watch expressions and other workflow features

Delayed computation syntax

There are two ways to indicate that a computation is delayed in Unison. The first is the do keyword:

main : '{IO,Exception}()
main = do
 printLine "`do` is commonly seen at the start of an indented block of code"

The ' symbol is the second syntax option for introducing a thunk.

Calling, or "forcing" the delayed computation also has two options. Prepend ! to the deplayed comptuation or append () to call it.

streamList : '[Nat]
streamList = toDelayedList do Stream.range 10 15
!streamList
streamList()

A more detailed look at delayed computations

List literals

Square brackets introduce a Unison list.

The List.++ is our operator for list concatenation.

use List +: :+ head = 1 +: [2, 3, 4] head :+ 5

A variety of list patterns are available for lists.

📚Learn more about common collection types in Unison

List transformations

The |> operator is a "pipe" which passes the result of executing the expression on the left as an argument to function on right.

The parenthesized x -> x Nat.* 100 argument to distributed.lib.base.data.List.map is an example of lambdas in Unison.

📚Learn more about operators like |>

if/else and pattern matching

The expression below is written with both if then and else syntax and with pattern matching syntax

use Nat mod
isEven1 num =
  if mod num 2 === 0 then true else false
isEven2 num = match num with
  n | mod n 2 === 0 -> true
  _ -> false

Unison's pattern matching features include variable binding, pattern guards (separated by |), and as-patterns (indicated with an @).

match Some 12 with Optional.None -> "none" Some n| Nat.isEven n -> "n is a variable and | is a pattern guard" opt@(Some n) -> "opt binds to the entire optional value"
"n is a variable and | is a pattern guard"

The cases syntax can take the place of a full match ... with expression.

foo n = match n with
  0 -> "zero"
  _ -> "not zero"
foo 0
foo = cases 0 -> "zero" _ -> "not zero" foo 0
"zero"

Type declarations

A unison data type with uniqueness determined by its name:

A recursive Tree data type with a single type parameter:

structural type glance.Tree a
structural type glance.Tree a
  = docs.glance.Tree.Empty
  | docs.glance.Tree.Node a (glance.Tree a) (glance.Tree a)

The structural keyword means that types defined with the same structure are identical.

More on data types and the difference between structural and unique.

Record types allow you to name the fields of your type.

unique type Pet = {
   age : Nat,
   species : Text,
   foodPreferences : [Text]
}

Creating a record type generates a series of helper methods to access and update the fields of the data type.

myProject/main> add Pet

 ⍟ I've added these definitions:

     unique type Pet
     Pet.age                    : Pet -> Nat
     Pet.age.modify             : (Nat ->{g} Nat) -> Pet ->{g} Pet
     Pet.age.set                : Nat -> Pet -> Pet

Record type syntax in depth

Exception handling

nonZero : Nat ->{Exception} Nat
nonZero = cases
  n
    | n Nat.== 0  ->
      Exception.raise (Generic.failure "Zero was found" n)
    | otherwise   -> n
catch do nonZero 0
Either.Left (Failure (typeLink Generic) "Zero was found" (Any 0))

An exception is "raised" with the Exception ability and "caught" with a handler.

Our error handling with abilities doc describes this pattern and more error types in detail.

Using abilities

Abilities are used for effect management in Unison.

getRandomElem : [a] ->{Abort, Random} a
getRandomElem list =
  index = lib.base.abilities.Random.natIn 0 (List.size list)
  List.at! index list

This plucks a random element from the list by its index with distributed.lib.base.abilities.Random.natIn, a function using the Random ability. If the index is not present in the list, it uses the Abort ability to halt execution.

splitmix and toOptional! are examples of ability handlers.

Distributed computations

Distributed computations can be expressed in the Unison language itself through the Remote ability. Read about the Remote ability and its features

distributed : Seq k Nat ->{Remote} Nat
distributed dseq =
  use Nat + ==
  dseq
    |> Seq.map (x -> x + 1)
    |> Seq.filter (x -> Nat.mod x 7 == 0)
    |> Seq.reduce 0 (+)

This simple map/reduce code can operate over a distributed sequence, where the data may live in many different nodes in a cluster. This distributed computation use case has been fleshed out in an article.

Issuing an http request

Pull the library from Unison Share. with the lib.install command.

myProject/main> lib.install @unison/http
exampleGet : '{IO, Exception} HttpResponse
exampleGet _ =
  uri =
    base.IO.net.URI.parse
      "https://share.unison-lang.org/@unison/httpclient"
  req = do client.Http.get uri
  Http.run req

The first part of this code uses data constructors from the http library to create a full uri out of an authority and path. The request is handled by passing it to the Http handler.

The http library has great docs!

Basic file operations

Our standard library has a number of helpful File operations built in. They're located under the FilePath and Handle namespaces.

Concurrency primitives

Concurrency primitives like MVar, TVar, and STM are built into the base library. TVar and STM make it easy to write lock-free concurrent mutable data structures. For instance, here’s a simple lock-free queue implementation and a few helper functions:

type TQueue a
TQueue.enqueue : a -> TQueue a ->{STM} ()
TQueue.enqueue : a -> TQueue a ->{STM} ()
TQueue.enqueue a = cases
  TQueue elems _ -> TVar.modify elems (es -> a List.+: es)
TQueue.dequeue : TQueue a ->{STM} a
TQueue.dequeue tq = match tryDequeue tq with
  Optional.None -> STM.retry()
  Some a        -> a

The block introduced by STM.atomically below ensures that no one can access state of the queue until after the actions in the block have taken place.

queueExample : '{IO, Exception} ()
queueExample _ =
  runQueue : '{STM} Nat
  runQueue _ =
    use TQueue dequeue
    queue = TQueue.fromList [1, 2, 3, 4, 5]
    TQueue.enqueue 6 queue
    dequeue queue
    dequeue queue
  result = STM.atomically runQueue
  printLine (Nat.toText result)