Built-in Types

GitHub   Edit on GitHub

Grain provides some built-in types to be used throughout your programs.

Bool

1
2
3
4
enum Bool {
true,
false
}

The type of Grain booleans, i.e. true or false.

Char

1
type Char

The type of Grain Unicode characters, e.g. 'g', '🌾', '💻'.

String

1
type String

The type of Grain strings, e.g. "The quick brown fox jumps over the lazy dog.".

Bytes

1
type Bytes

The type of Grain byte sequences, e.g. b"The quick brown fox jumps over the lazy dog."

Void

1
2
3
enum Void {
void
}

The type of void, Grain’s special type for indicating the absence of a meaningful value i.e. Grain’s unit type.

Option

1
2
3
4
enum Option<a> {
Some(a),
None
}

The type of Grain options (e.g. Some(1) or None). The a is the type of the value. Options are analagous to nullable values in some other languages, but are much safer to work with due to the nullability being encoded explicitly in the type.

Result

1
2
3
4
enum Result<t, e> {
Ok(t),
Err(e)
}

The type of Grain results (e.g. Ok(1) or Err("Something went wrong")). The t and e are the types of the value and error, respectively. This is useful for functions that might fail.

Array

1
type Array<a>

The type of Grain arrays, e.g. [> 1, 2, 3]. Arrays are fixed-length and allow for efficient get/set operations at any index.

List

1
type List<a>

The type of Grain lists (linked lists), e.g. [1, 2, 3]. Lists are immutable and allow for values to be efficiently appended.

Box

1
type Box<a>

The type of Grain boxes. Boxes are wrappers that allow the internal data to be swapped during execution.

Rational

1
type Rational

The type of Grain rationals, e.g. 2/3r. Rationals are represented as a numerator and denominator.

Number

1
type Number

The type of Grain numbers, e.g. 42, 0x2a, 23.19, 2/3. Grain numbers can be arbitrarily large integers, floats, or rationals.

BigInt

1
type BigInt

The type of arbitrarily large integers, e.g. 42t, 9_223_372_036_854_775_808t.

Int8

1
type Int8

The type of 8-bit integers, e.g. 127s, -127s, 0x01s.

Uint8

1
type Uint8

The type of 8-bit unsigned integers, e.g. 255us, 42us, 0x01us.

Int16

1
type Int16

The type of 16-bit integers, e.g. 32768S, -32768S, 0x01S.

Uint16

1
type Uint16

The type of 16-bit unsigned integers, e.g. 65535uS, 42uS, 0x01uS.

Int32

1
type Int32

The type of 32-bit integers, e.g. 42l, 0x2al.

Uint32

1
type Uint32

The type of 32-bit unsigned integers, e.g. 42ul, 0x2aul.

Int64

1
type Int64

The type of 64-bit integers, e.g. 42L, 0x2aL.

Uint64

1
type Uint64

The type of 64-bit unsigned integers, e.g. 42uL, 0x2auL.

Float32

1
type Float32

The type of 32-bit floating-point numbers, e.g. 3.5f.

Float64

1
type Float64

The type of 64-bit floating-point numbers, e.g. 3.5d.

Exception

1
type Exception

The type of Grain exceptions. Exceptions represent errors that have occured in a program.

This is a notification!