--- id: what-and-why title: Michelson and LIGO --- import Syntax from '@theme/Syntax'; Before we get into what LIGO is and why LIGO needs to exist, let us take a look at what options the Tezos blockchain offers us out of the box. If you want to implement smart contracts natively on Tezos, you have to learn [Michelson](https://tezos.gitlab.io/whitedoc/michelson.html). **The rationale and design of Michelson** The language native to the Tezos blockchain for writing smart contracts is *Michelson*, a Domain-Specific Language (DSL) inspired by Lisp and Forth. This unusual lineage aims at satisfying unusual constraints, but entails some tensions in the design. First, to measure stepwise gas consumption, *Michelson is interpreted*. On the one hand, to assess gas usage per instruction, instructions should be simple, which points to low-level features (a RISC-like language). On the other hand, it was originally thought that users will want to write in Michelson instead of lowering a language to Michelson, because the gas cost would otherwise be harder to predict. This means that *high-level features* were deemed necessary (like a restricted variant of Lisp lambdas, a way to encode algebraic data types, as well as built-in sets, maps and lists). To avoid ambiguous and otherwise misleading contracts, the layout of Michelson contracts has been constrained (e.g., indentation, no UTF-8), and a *canonical form* was designed and enforced when storing contracts on the chain. To reduce the size of the code, Michelson was designed as *a stack-based language*, whence the lineage from Forth and other concatenative languages like PostScript, Joy, Cat, Factor etc. (Java bytecode would count too.) Programs in those languages are *compact* because they assume an implicit stack in which some input values are popped, and output values are pushed, according to the current instruction being executed. *Each Michelson instruction modifies a prefix of the stack*, that is, a segment starting at the top. Whilst the types of Michelson instructions can be polymorphic, their instantiations must be monomorphic, hence *Michelson instructions are not first-class values* and cannot be partially interpreted. This enables a simple *static type checking*, as opposed to a complex type inference. It can be performed efficiently: *contract type checking consumes gas*. Basically, type checking aims at validating the composition of instructions, therefore is key to safely composing contracts (concatenation, activations). Once a contract passes type checking, it cannot fail due to inconsistent assumptions on the storage and other values (there are no null values, no casts), but it can still fail for other reasons: division by zero, token exhaustion, gas exhaustion, or an explicit `FAILWITH` instruction. This property is called *type safety*. Also, such a contract cannot remain stuck: this is the *progress property*. The existence of a formal type system for Michelson, of a formal specification of its dynamic semantics (evaluation), of a Michelson interpreter in Coq, of proofs in Coq of properties of some typical contracts, all those achievements are instances of *formal methods in Tezos*. Here is an example of a Michelson contract. **`counter.tz`** ```text { parameter (or (or (nat %add) (nat %sub)) (unit %default)) ; storage int ; code { AMOUNT ; PUSH mutez 0 ; ASSERT_CMPEQ ; UNPAIR ; IF_LEFT { IF_LEFT { ADD } { SWAP ; SUB } } { DROP ; DROP ; PUSH int 0 } ; NIL operation ; PAIR } } ``` The contract above maintains an `int` as its storage. It has two [entrypoints](https://tezos.gitlab.io/whitedoc/michelson.html#entrypoints), `add` and `sub`, to modify it, and the `default` entrypoint of type `unit` will reset it to `0`. The contract itself contains three sections: - `parameter` - The argument provided by a transaction invoking the contract. - `storage` - The type definition for the contract's data storage. - `code` - Actual Michelson code that has the provided parameter and the current storage value in its initial stack. It outputs in the resulting stack a pair made of a list of operations and a new storage value. Michelson code consists of *instructions* like `IF_LEFT`, `PUSH ...`, `UNPAIR` etc. that are composed sequentially in what is called a *sequence*. The implicit stack contains at all times the state of the evaluation of the program, whilst the storage represents the persistent state. If the contract execution is successful, the new storage state will be committed to the chain and become visible to all the nodes. Instructions are used to transform a prefix of the stack, that is, the topmost part of it, for example, by duplicating its top element, dropping it, subtracting the first two etc. > 💡 A Michelson program running on the Tezos blockchain is meant to > output a pair of values including a `list of operations` to include > in a transaction, and a new `storage` value to persist on the chain. ## Stack versus variables Perhaps the biggest challenge when programming in Michelson is the lack of *variables* to denote the data: the stack layout has to be kept in mind when retrieving and storing data. For example, let us implement a program in Javascript that is similar to the Michelson above: **`counter.js`** ```javascript var storage = 0; function add (a) { storage += a; } function sub (a) { storage -= a; } // We are calling this function "reset" instead of "default" // because `default` is a Javascript keyword function reset () { storage = 0; } ``` In our Javascript program the initial `storage` value is `0` and it can be modified by calling `add (a)`, `sub (a)` and `reset ()`. We cannot run Javascript on the Tezos blockchain, but we can choose LIGO, which will abstract the stack management and allow us to create readable, type-safe, and efficient smart contracts. ## LIGO for Programming Smart Contracts on Tezos Perhaps the most striking feature of LIGO is that it comes in different concrete syntaxes, and even different programming paradigms. In other words, LIGO is not defined by one syntax and one paradigm, like imperative versus functional. - There is **PascaLIGO**, which is inspired by Pascal, hence is an imperative language with lots of keywords, where values can be locally mutated after they have been annotated with their types (declaration). - There is **CameLIGO**, which is inspired by the pure subset of [OCaml](https://ocaml.org/), hence is a functional language with few keywords, where values cannot be mutated, but still require type annotations (unlike OCaml, whose compiler performs almost full type inference). - There is **ReasonLIGO**, which is inspired by the pure subset of [ReasonML](https://reasonml.github.io/), which is based upon OCaml. Let us decline the same LIGO contract in the three flavours above. Do not worry if it is a little confusing at first; we will explain all the syntax in the upcoming sections of the documentation. ```pascaligo group=a type storage is int type parameter is Increment of int | Decrement of int | Reset type return is list (operation) * storage function main (const action : parameter; const store : storage) : return is ((nil : list (operation)), case action of Increment (n) -> store + n | Decrement (n) -> store - n | Reset -> 0 end) ``` ```cameligo group=a type storage = int type parameter = Increment of int | Decrement of int | Reset type return = operation list * storage let main (action, store : parameter * storage) : return = ([] : operation list), (match action with Increment n -> store + n | Decrement n -> store - n | Reset -> 0) ``` ```reasonligo group=a type storage = int; type parameter = Increment (int) | Decrement (int) | Reset; type return = (list (operation), storage); let main = ((action, store): (parameter, storage)) : return => { (([] : list (operation)), (switch (action) { | Increment (n) => store + n | Decrement (n) => store - n | Reset => 0})); }; ``` This LIGO contract behaves almost exactly* like the Michelson contract we saw first, and it accepts the following LIGO expressions: `Increment(n)`, `Decrement(n)` and `Reset`. Those serve as `entrypoint` identification, same as `%add` `%sub` or `%default` in the Michelson contract. **The Michelson contract also checks if the `AMOUNT` sent is `0`* --- ## Runnable code snippets & exercises Some of the sections in this documentation will include runnable code snippets and exercises. Sources for those are available at the [LIGO Gitlab repository](https://gitlab.com/ligolang/ligo). ### Snippets For example **code snippets** for the *Types* subsection of this doc, can be found here: `gitlab-pages/docs/language-basics/src/types/**` ### Exercises Solutions to exercises can be found e.g. here: `gitlab-pages/docs/language-basics/exercises/types/**/solutions/**` ### Running snippets / exercise solutions In certain cases it makes sense to be able to run/evaluate the given snippet or a solution, usually there'll be an example command which you can use, such as: ```shell ligo evaluate-value -s pascaligo gitlab-pages/docs/language-basics/src/variables-and-constants/const.ligo age # Outputs: 25 ```