Expand description
A library to assist in the creation of an interpreter or compiler and its associated runtime.
This is the second release of the Kamo project. This crate contains the parser library and the memory management library, which also includes the runtime representation of values.
Memory Management
The Mutator implements automatic memory management.
It holds an Arena for each type. Memory collection is
done by a mark and sweep garbage collector.
The mutator implementation is thread local. The arena allocator is
implemented as a vector of Buckets. Each bucket
holds a vector of Slots. The slots are used to store
the values. Buckets have a fixed size and are allocated on the heap. The
buckets are allocated on demand when the slots are full.
The hierarchy of types is as follows:
- Mutator contains Arenas.
- Arena contains Buckets.
- Bucket contains Slots.
- Slot contains a value.
- a value is represented by a Pointer.
Values managed by the mutator must be traceable. The mutator uses the
Trace trait to trace the values. The Trace trait is
implemented for all types that can contain values managed by the mutator.
Pointers use reference counting to keep track of
the number of references to the value. When the number of references reaches
zero the value may be subject to garbage collection. To avoid cycles
Pairs, also known as Cons cells, and
Vectors do not hold locks to their elements.
Instead they are traced by the mutator when memory collection is done. This
is the reason why a drop of the reference count of a pointer to zero does
not immediately free the value.
The garbage collector is implemented as a mark and sweep collector,
collect_garbage(). All values
which hold a lock are roots. The garbage collector traces all roots and
marks all values that are reachable from the roots. All values that are not
marked are unreachable and are freed. Tracing is done iteratively by
repeatedly calling the trace() method on the
values and adding the values to a work list. This continues until the work
list is empty.
Allocator Trait
The mutator uses the global allocator to allocate memory for buckets,
arenas, vectors and strings etc. Dynamic memory allocation is done by the
allocator provided by the std::alloc crate. Since the implementation of
the allocator provided by the standard library is highly optimized it would
be a waste of effort to reimplement it.
As a consequence the mutator is not able to free memory when the global allocator fails to allocate memory. This is because the mutator does not know which memory is allocated by the global allocator. The mutator only knows which memory is allocated by its arenas. Collection of memory is triggered only by the allocation pressure.
When the allocator trait is stabilized the mutator will be able to use the the trait to mitigate allocation failures by freeing memory when the global allocator fails.
Runtime Values
Values can either hold immediate values or pointers
to values allocated in the mutator.
The following immediate values are supported:
nil, the empty listboolchar, a Unicode scalar valuei64f64
The following pointer values are supported:
pair, a pair of values, also known asConscellsymbol, a symbol, an interned stringstring, a UTF-8 stringvector, a vector of valuesbytevector, a vector of bytes
Value provides a safe interface to the values in the runtime. It is
implemented as a wrapper around ValueKind. It
provides methods to convert the value into a Rust type, to check the type of
the value, and to visit the value. Heap values are automatically locked and
unlocked when necessary.
Value implements the visitor pattern. The Visitor
trait is used to visit the value. When implementing the Visitor trait it
must be considered that the value may be cyclic. The visitor must keep track
of the values it has already visited to avoid infinite loops.
The Visitor trait is used to implement printing of values. The Value
itself does not implement printing. Instead the
Display trait is implemented for a specific vistor.
This makes it possible to implement different printing strategies for
values.
An implementation of the Visitor trait is provided to print values in a
Scheme-like syntax,
SimplePrinterVisitor.
Combination Parser
The parser library is a general purpose parser library that can be used to parse any language. It is designed to be used in conjunction with the future parts of this project, but it can also be used on its own.
The memory management library is a library for automatic memory management. Values are allocated in a mutator which holds an arena allocator for each type. Memory collection is done by a mark and sweep garbage collector.
The future parts of this project will extend this crate with a library for compile time evaluation and transformation into an intermediate representation, an implemenation of an interpreter for the intermediate representation, and a reference implementation of Scheme. The implementation will be based on the R7RS standard and will implement a subset of the standard.
The design goal of this project is to create a framework that can be used to create a language interpreter or compiler. AST nodes will be created by the parser and then passed to the evaluator. The AST is represented as symbolic expressions (s-expressions) and is designed to be language agnostic. The evaluator will then evaluate the AST into a combination of s-expressions and intermediate representation. This is the compile time representation of the program. The intermediate representation can then be either interpreted or compiled into a target representation.
Parser Example
Example of a parser that parses a Scheme-like byte-vector and returns it as
Vec<u8>.
The grammar is defined as follows:
ByteVector = "#u8(" Byte* ')'
Byte = <any exact integer between 0 and 255>
The parser is defined as follows:
use kamo::parser::{code, prelude::*, Input, ParseError, ParseResult, Span};
fn main() {
assert_eq!(
parse_bytevec(Input::new("#u8(0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15)")),
Ok((
vec![0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15],
Input::new("")
))
);
}
fn parse_bytevec(input: Input<'_>) -> ParseResult<'_, Vec<u8>> {
context_as(
delimited(
pair(tag("#u8("), ascii::whitespace0),
list0(parse_bytevec_value, ascii::whitespace1),
context_as(
preceded(ascii::whitespace0, char(')')),
code::ERR_CUSTOM + 2,
"expecting a closing parenthesis: )",
),
),
code::ERR_CUSTOM + 1,
"expecting a byte vector: #u8(<byte>*)",
)(input)
}
fn parse_bytevec_value(input: Input<'_>) -> ParseResult<'_, u8> {
let result = preceded(
ascii::whitespace0,
any((
parse_binary_natural,
parse_octal_natural,
parse_decimal_natural,
parse_hexadecimal_natural,
parse_natural,
)),
)(input);
match result {
Ok((value, cursor)) => {
if value > u8::MAX as u64 {
Err(ParseError::new(
Span::new(input.position(), cursor.position()),
code::ERR_CUSTOM + 3,
"expecting a byte value: 0..255",
))
} else {
Ok((value as u8, cursor))
}
}
Err(err) => Err(err),
}
}
#[inline]
fn parse_binary_natural(input: Input<'_>) -> ParseResult<u64> {
preceded(tag("#b"), literal::natural(literal::Radix::Binary))(input)
}
#[inline]
fn parse_octal_natural(input: Input<'_>) -> ParseResult<u64> {
preceded(tag("#o"), literal::natural(literal::Radix::Octal))(input)
}
#[inline]
fn parse_decimal_natural(input: Input<'_>) -> ParseResult<u64> {
preceded(tag("#d"), parse_natural)(input)
}
#[inline]
fn parse_hexadecimal_natural(input: Input<'_>) -> ParseResult<u64> {
preceded(tag("#x"), literal::natural(literal::Radix::Hexadecimal))(input)
}
#[inline]
fn parse_natural(input: Input<'_>) -> ParseResult<u64> {
literal::natural(literal::Radix::Decimal)(input)
}Feature List
-
Module
kamo::parserfor parsing UTF-8 text. A parser combinator library for parsing UTF-8 text in a safe and mostly zero-copy way. -
Module
kamo::memfor automatic memory management. Values are allocated in a mutator which holds an arena allocator for each type. Memory collection is done by a mark and sweep garbage collector. -
Module
kamo::valuefor values. Values can either hold immediate values or pointers to values allocated in the mutator. -
Module
kamo::evalfor evaluation. The evaluator processes an AST, which is an symbolic expression tree, and evaluates it to an intermediate representation. The intermediate representation can then be interpreted or compiled to a target representation. The interpreter is generic and can be used to interpret any intermediate representation. -
Module
kamo::typesfor types. The type system is used to infer the types of the intermediate representation and the AST. -
Module
kamo::replfor a read-eval-print-loop. The REPL is used to interactively evaluate expressions and is generic and can be used to evaluate any intermediate representation. -
Module
kamo::lang::schemefor the Scheme language. The Scheme language is implemented as a library on top of thekamomodules. It implements a subset of the R7RS standard.
Modules
- Memory management
- Parser combinator library.
- Runtime value type.
Macros
- Macro to check if the sequence is infinite. If it is, it will return an error. The check fails if the parser does not consume any input.