The Lit Programming Language

Lit is a simple scripting language.

fn factorial_of { |n|
  if n <= 1 then return 1

  n * factorial_of(n - 1)
}

if let n = readln.to_n!() {
  println "Factorial of {n} is {factorial_of(n)}"
} else {
  println "Not a valid number"
}

I build it for fun while reading Crafting Interpreters. This site is more or less my vision for the language. Nothing is set in stone yet, and not all features are implemented.

Getting Started

To use Lit, you’ll have to build it from source. It is build using Crystal, so you’ll need to have that installed first.

  1. Install Crystal
  2. Build Lit
    1. Clone the repository git clone https://github.com/lit-lang/lit
    2. Change into the directory cd lit
    3. Build the project tools/build. This will create an executable at bin/lit
  3. Run a script with bin/lit hello.lit or bin/lit to enter the REPL.

Syntax

Comments

Comments can appear at the end of a line or span multiple lines.

# Single-line comments

#= Multi-line comments
  #=
    can be nested
  =# still a comment
=# "not here"

Literals

Lit has a few basic literal types: numbers, strings, booleans, functions, arrays, and maps.

Numbers

1         # all numbers are floats
1.5
1_000_000 # underscores are allowed
0.000_1   # even on the decimal side

Strings

# double-quoted strings can contain interpolation
"Hello, {"world"}"

# double-quoted strings can contain escape sequences
"I can\tescape\ncharacters"

# single-quoted strings are raw
'Hello, {"world"}'
'I will not escape \n characters'

# short-hand for single-quoted strings
:hey == 'hey' # => true

Strings support these escape codes:

Booleans

In lit only false and errors are falsey. Everything else is truthy.

true
false

Arrays

Arrays are ordered lists of values.

# Create an array
[1, 2, 3]

Maps

Maps are key-value pairs.

# Create a map
{
  "name" : "Yukihiro Matsumoto" # comma is optional here
  "role" : "creator", # but can be used
}

{x: 0, y: 0} # same as {"x" : 0, "y" : 0}

Functions

# Function definition
fn greet { |name| println "Hello, {name}" }

# Function call
greet("Matz") # outputs "Hello, Matz"

# Named functions **aren't** closures
let name = "Matz"
fn greet { println "Hello, {name}" } # error: 'name' is not defined

# Anonymous functions are closures
let name = "Matz"
let greet = fn { println "Hello, {name}" } # outputs "Hello, Matz"

# The default block parameter is `it`
fn greet { println "Hello, {it}" }
greet("Matz") # outputs "Hello, Matz"

# Functions return the last expression
fn fun {
  false
  "something"
  1
}
fun() # => 1

# you can use `return` to return early
fn fun { |value|
  if value {
    return "truthy"
  }

  "falsey"
}
fun(true)  # => "truthy"

Variables

Operators

Lit supports a variety of operators for different operations.

-1           # negation
1 + 2        # addition
1 - 2        # subtraction
1 * 2        # multiplication
1 / 2        # division
1 % 2        # modulus
1 > 2        # comparison
1 < 2
1 >= 2
1 <= 2
1 == 2

Control Flow

Blocks & Scoping

Because of that, you can use blocks to change the order of operations.

{1 + 2} * 3
# => 9

For a single-expression body, you can use the do syntax:

fn debug do println("DEBUG: " + it)

Pattern Matching / Destructuring

Custom Types

Lit supports custom types using the type keyword. Types are composed of one or more variants. Each variant defines a constructor with fields and optional methods. Fields and methods are public by default unless their name starts with an underscore _.

Defining a Type

To define a type with a single variant, use the following syntax:

type Point { |x, y|
  fn to_s { "({x}, {y})" }
}

let origin = Point(0, 0)
println origin.to_s() # outputs "(0, 0)"

Multiple Variants

Types can have multiple variants, each representing a different shape or case. This is useful for enums, tagged unions, or sum types.

type Shape {
  variant Circle { |radius|
    fn area { 3.14 * radius * radius }
  }

  variant Square { |side|
    fn area { side * side }
  }

  fn kind {
    match self {
      Circle then "circle"
      Square then "square"
    }
  }
}

let s1 = Shape.Circle(5)
println s1.kind() # outputs "circle"
println s1.area() # outputs "78.5"

let s2 = Shape.Square(3)
println s2.kind() # outputs "square"
println s2.area() # outputs "9"

Field and Method Visibility

Fields are only directly accessible inside the variant block. Fields starting with _ are private and cannot be matched.

Methods starting with _ are private and cannot be called from outside the type declaration.

type User { |name, _password|
  fn check_password do it == _password # please don't use this in production
  fn _debug { println "user={name}" }
}

let user = User("alice", "secret")

match user {
  Account { |name, _password| #= body =# }        # error: _password is private
}

user.check_password("guess")   # => false
user._debug()                  # error: _debug is private

Modules / Imports

Collections & Iteration

Error Handling