2024-05-11 09:04:13 -05:00
|
|
|
use std::{cell::Cell, ops::Not, ptr::NonNull};
|
2024-05-09 16:41:59 -05:00
|
|
|
|
|
|
|
use crate::lexer::{Lexer, Token, TokenKind};
|
|
|
|
|
2024-05-10 08:29:11 -05:00
|
|
|
pub struct Parser<'a, 'b> {
|
|
|
|
path: &'a std::path::Path,
|
|
|
|
lexer: Lexer<'a>,
|
|
|
|
arena: &'b Arena<'a>,
|
|
|
|
expr_buf: &'b mut Vec<Expr<'a>>,
|
|
|
|
token: Token,
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
2024-05-10 08:29:11 -05:00
|
|
|
impl<'a, 'b> Parser<'a, 'b> {
|
|
|
|
pub fn new(
|
|
|
|
input: &'a str,
|
|
|
|
path: &'a std::path::Path,
|
|
|
|
arena: &'b Arena<'a>,
|
|
|
|
expr_buf: &'b mut Vec<Expr<'static>>,
|
|
|
|
) -> Self {
|
2024-05-09 16:41:59 -05:00
|
|
|
let mut lexer = Lexer::new(input);
|
|
|
|
let token = lexer.next();
|
2024-05-10 08:29:11 -05:00
|
|
|
Self {
|
|
|
|
lexer,
|
|
|
|
token,
|
|
|
|
path,
|
|
|
|
arena,
|
|
|
|
// we ensure its empty before returning form parse
|
|
|
|
expr_buf: unsafe { std::mem::transmute(expr_buf) },
|
|
|
|
}
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
2024-05-11 10:05:22 -05:00
|
|
|
pub fn file(&mut self) -> &'a [Expr<'a>] {
|
2024-05-10 08:29:11 -05:00
|
|
|
self.collect(|s| (s.token.kind != TokenKind::Eof).then(|| s.expr()))
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
2024-05-10 08:29:11 -05:00
|
|
|
fn next(&mut self) -> Token {
|
|
|
|
std::mem::replace(&mut self.token, self.lexer.next())
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
2024-05-11 10:05:22 -05:00
|
|
|
fn ptr_expr(&mut self) -> &'a Expr<'a> {
|
2024-05-10 08:29:11 -05:00
|
|
|
self.arena.alloc(self.expr())
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
2024-05-10 08:29:11 -05:00
|
|
|
fn expr(&mut self) -> Expr<'a> {
|
2024-05-10 15:54:12 -05:00
|
|
|
let left = self.unit_expr();
|
|
|
|
self.bin_expr(left, 0)
|
|
|
|
}
|
|
|
|
|
|
|
|
fn bin_expr(&mut self, mut left: Expr<'a>, min_prec: u8) -> Expr<'a> {
|
|
|
|
loop {
|
|
|
|
let Some(prec) = self.token.kind.precedence() else {
|
|
|
|
break;
|
|
|
|
};
|
|
|
|
|
|
|
|
if prec < min_prec {
|
|
|
|
break;
|
|
|
|
}
|
|
|
|
|
|
|
|
let op = self.next().kind;
|
|
|
|
let right = self.unit_expr();
|
|
|
|
let right = self.bin_expr(right, prec);
|
|
|
|
left = Expr::BinOp {
|
|
|
|
left: self.arena.alloc(left),
|
|
|
|
right: self.arena.alloc(right),
|
|
|
|
op,
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
|
|
|
left
|
|
|
|
}
|
|
|
|
|
|
|
|
fn unit_expr(&mut self) -> Expr<'a> {
|
2024-05-11 15:22:08 -05:00
|
|
|
use {Expr as E, TokenKind as T};
|
2024-05-09 16:41:59 -05:00
|
|
|
let token = self.next();
|
2024-05-11 09:04:13 -05:00
|
|
|
let mut expr = match token.kind {
|
2024-05-11 15:22:08 -05:00
|
|
|
T::Ident => E::Ident {
|
|
|
|
pos: token.start,
|
|
|
|
name: self.arena.alloc_str(self.lexer.slice(token)),
|
|
|
|
},
|
|
|
|
T::If => E::If {
|
|
|
|
pos: token.start,
|
|
|
|
cond: self.ptr_expr(),
|
|
|
|
then: self.ptr_expr(),
|
|
|
|
else_: self.advance_if(T::Else).then(|| self.ptr_expr()),
|
|
|
|
},
|
|
|
|
T::Loop => E::Loop {
|
|
|
|
pos: token.start,
|
2024-05-11 11:16:27 -05:00
|
|
|
body: self.ptr_expr(),
|
|
|
|
},
|
2024-05-11 15:22:08 -05:00
|
|
|
T::Break => E::Break { pos: token.start },
|
|
|
|
T::Continue => E::Continue { pos: token.start },
|
|
|
|
T::Return => E::Return {
|
|
|
|
pos: token.start,
|
|
|
|
val: (self.token.kind != T::Semi).then(|| self.ptr_expr()),
|
2024-05-09 16:41:59 -05:00
|
|
|
},
|
2024-05-11 15:22:08 -05:00
|
|
|
T::Fn => E::Closure {
|
|
|
|
pos: token.start,
|
|
|
|
args: {
|
|
|
|
self.expect_advance(T::LParen);
|
|
|
|
self.collect_list(T::Comma, T::RParen, |s| {
|
|
|
|
let name = s.expect_advance(T::Ident);
|
2024-05-11 09:04:13 -05:00
|
|
|
let name = s.arena.alloc_str(s.lexer.slice(name));
|
2024-05-11 15:22:08 -05:00
|
|
|
s.expect_advance(T::Colon);
|
2024-05-11 09:04:13 -05:00
|
|
|
let val = s.expr();
|
|
|
|
(name, val)
|
|
|
|
})
|
2024-05-11 15:22:08 -05:00
|
|
|
},
|
|
|
|
ret: {
|
|
|
|
self.expect_advance(T::Colon);
|
|
|
|
self.ptr_expr()
|
|
|
|
},
|
|
|
|
body: self.ptr_expr(),
|
|
|
|
},
|
|
|
|
T::LBrace => E::Block {
|
|
|
|
pos: token.start,
|
|
|
|
stmts: self.collect_list(T::Semi, T::RBrace, Self::expr),
|
2024-05-09 16:41:59 -05:00
|
|
|
},
|
2024-05-11 15:22:08 -05:00
|
|
|
T::Number => E::Number {
|
|
|
|
pos: token.start,
|
2024-05-09 16:41:59 -05:00
|
|
|
value: match self.lexer.slice(token).parse() {
|
|
|
|
Ok(value) => value,
|
|
|
|
Err(e) => self.report(format_args!("invalid number: {e}")),
|
|
|
|
},
|
|
|
|
},
|
2024-05-11 15:22:08 -05:00
|
|
|
T::LParen => {
|
2024-05-10 15:54:12 -05:00
|
|
|
let expr = self.expr();
|
2024-05-11 15:22:08 -05:00
|
|
|
self.expect_advance(T::RParen);
|
2024-05-10 15:54:12 -05:00
|
|
|
expr
|
|
|
|
}
|
2024-05-10 08:29:11 -05:00
|
|
|
tok => self.report(format_args!("unexpected token: {tok:?}")),
|
2024-05-09 16:41:59 -05:00
|
|
|
};
|
|
|
|
|
2024-05-11 09:04:13 -05:00
|
|
|
loop {
|
|
|
|
expr = match self.token.kind {
|
|
|
|
TokenKind::LParen => {
|
|
|
|
self.next();
|
|
|
|
Expr::Call {
|
|
|
|
func: self.arena.alloc(expr),
|
2024-05-11 15:22:08 -05:00
|
|
|
args: self.collect_list(TokenKind::Comma, TokenKind::RParen, Self::expr),
|
2024-05-11 09:04:13 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
_ => break,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-05-09 16:41:59 -05:00
|
|
|
self.advance_if(TokenKind::Semi);
|
|
|
|
|
|
|
|
expr
|
|
|
|
}
|
|
|
|
|
2024-05-11 15:22:08 -05:00
|
|
|
fn collect_list<T: Copy>(
|
|
|
|
&mut self,
|
|
|
|
delim: TokenKind,
|
|
|
|
end: TokenKind,
|
|
|
|
mut f: impl FnMut(&mut Self) -> T,
|
|
|
|
) -> &'a [T] {
|
|
|
|
self.collect(|s| {
|
|
|
|
s.advance_if(end).not().then(|| {
|
|
|
|
let val = f(s);
|
|
|
|
s.advance_if(delim);
|
|
|
|
val
|
|
|
|
})
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
2024-05-11 10:05:22 -05:00
|
|
|
fn collect<T: Copy>(&mut self, mut f: impl FnMut(&mut Self) -> Option<T>) -> &'a [T] {
|
2024-05-11 09:04:13 -05:00
|
|
|
let vec = std::iter::from_fn(|| f(self)).collect::<Vec<_>>();
|
|
|
|
self.arena.alloc_slice(&vec)
|
2024-05-10 08:29:11 -05:00
|
|
|
}
|
|
|
|
|
2024-05-09 16:41:59 -05:00
|
|
|
fn advance_if(&mut self, kind: TokenKind) -> bool {
|
|
|
|
if self.token.kind == kind {
|
|
|
|
self.next();
|
|
|
|
true
|
|
|
|
} else {
|
|
|
|
false
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-05-11 09:04:13 -05:00
|
|
|
fn expect_advance(&mut self, kind: TokenKind) -> Token {
|
2024-05-09 16:41:59 -05:00
|
|
|
if self.token.kind != kind {
|
|
|
|
self.report(format_args!(
|
|
|
|
"expected {:?}, found {:?}",
|
|
|
|
kind, self.token.kind
|
|
|
|
));
|
|
|
|
}
|
2024-05-11 09:04:13 -05:00
|
|
|
self.next()
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
|
|
|
fn report(&self, msg: impl std::fmt::Display) -> ! {
|
|
|
|
let (line, col) = self.lexer.line_col(self.token.start);
|
|
|
|
eprintln!("{}:{}:{} => {}", self.path.display(), line, col, msg);
|
|
|
|
unreachable!();
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-05-10 14:33:42 -05:00
|
|
|
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
|
2024-05-10 08:29:11 -05:00
|
|
|
pub enum Expr<'a> {
|
2024-05-11 15:22:08 -05:00
|
|
|
Break {
|
|
|
|
pos: u32,
|
|
|
|
},
|
|
|
|
Continue {
|
|
|
|
pos: u32,
|
2024-05-10 08:29:11 -05:00
|
|
|
},
|
|
|
|
Closure {
|
2024-05-11 15:22:08 -05:00
|
|
|
pos: u32,
|
2024-05-11 10:05:22 -05:00
|
|
|
args: &'a [(&'a str, Expr<'a>)],
|
|
|
|
ret: &'a Expr<'a>,
|
|
|
|
body: &'a Expr<'a>,
|
2024-05-10 08:29:11 -05:00
|
|
|
},
|
2024-05-11 09:04:13 -05:00
|
|
|
Call {
|
2024-05-11 10:05:22 -05:00
|
|
|
func: &'a Expr<'a>,
|
|
|
|
args: &'a [Expr<'a>],
|
2024-05-11 09:04:13 -05:00
|
|
|
},
|
2024-05-10 08:29:11 -05:00
|
|
|
Return {
|
2024-05-11 15:22:08 -05:00
|
|
|
pos: u32,
|
2024-05-11 10:05:22 -05:00
|
|
|
val: Option<&'a Expr<'a>>,
|
2024-05-10 08:29:11 -05:00
|
|
|
},
|
|
|
|
Ident {
|
2024-05-11 15:22:08 -05:00
|
|
|
pos: u32,
|
2024-05-11 10:05:22 -05:00
|
|
|
name: &'a str,
|
2024-05-10 08:29:11 -05:00
|
|
|
},
|
|
|
|
Block {
|
2024-05-11 15:22:08 -05:00
|
|
|
pos: u32,
|
2024-05-11 10:05:22 -05:00
|
|
|
stmts: &'a [Expr<'a>],
|
2024-05-10 08:29:11 -05:00
|
|
|
},
|
|
|
|
Number {
|
2024-05-11 15:22:08 -05:00
|
|
|
pos: u32,
|
2024-05-10 08:29:11 -05:00
|
|
|
value: u64,
|
|
|
|
},
|
2024-05-10 15:54:12 -05:00
|
|
|
BinOp {
|
2024-05-11 10:05:22 -05:00
|
|
|
left: &'a Expr<'a>,
|
2024-05-10 15:54:12 -05:00
|
|
|
op: TokenKind,
|
2024-05-11 10:05:22 -05:00
|
|
|
right: &'a Expr<'a>,
|
|
|
|
},
|
|
|
|
If {
|
2024-05-11 15:22:08 -05:00
|
|
|
pos: u32,
|
2024-05-11 11:16:27 -05:00
|
|
|
cond: &'a Expr<'a>,
|
|
|
|
then: &'a Expr<'a>,
|
|
|
|
else_: Option<&'a Expr<'a>>,
|
|
|
|
},
|
|
|
|
Loop {
|
2024-05-11 15:22:08 -05:00
|
|
|
pos: u32,
|
2024-05-11 11:16:27 -05:00
|
|
|
body: &'a Expr<'a>,
|
2024-05-10 15:54:12 -05:00
|
|
|
},
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
2024-05-10 08:29:11 -05:00
|
|
|
impl<'a> std::fmt::Display for Expr<'a> {
|
2024-05-09 16:41:59 -05:00
|
|
|
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
|
|
|
|
thread_local! {
|
|
|
|
static INDENT: Cell<usize> = Cell::new(0);
|
|
|
|
}
|
|
|
|
|
2024-05-10 15:54:12 -05:00
|
|
|
match *self {
|
2024-05-11 15:22:08 -05:00
|
|
|
Self::Break { .. } => write!(f, "break;"),
|
|
|
|
Self::Continue { .. } => write!(f, "continue;"),
|
|
|
|
Self::If {
|
|
|
|
cond, then, else_, ..
|
|
|
|
} => {
|
2024-05-11 11:16:27 -05:00
|
|
|
write!(f, "if {} {}", cond, then)?;
|
|
|
|
if let Some(else_) = else_ {
|
|
|
|
write!(f, " else {}", else_)?;
|
|
|
|
}
|
|
|
|
Ok(())
|
|
|
|
}
|
2024-05-11 15:22:08 -05:00
|
|
|
Self::Loop { body, .. } => write!(f, "loop {}", body),
|
|
|
|
Self::Closure {
|
|
|
|
ret, body, args, ..
|
|
|
|
} => {
|
2024-05-11 09:04:13 -05:00
|
|
|
write!(f, "|")?;
|
|
|
|
let first = &mut true;
|
|
|
|
for (name, val) in args {
|
|
|
|
if !std::mem::take(first) {
|
|
|
|
write!(f, ", ")?;
|
|
|
|
}
|
|
|
|
write!(f, "{}: {}", name, val)?;
|
|
|
|
}
|
|
|
|
write!(f, "|: {} {}", ret, body)
|
|
|
|
}
|
|
|
|
Self::Call { func, args } => {
|
|
|
|
write!(f, "{}(", func)?;
|
|
|
|
let first = &mut true;
|
|
|
|
for arg in args {
|
|
|
|
if !std::mem::take(first) {
|
|
|
|
write!(f, ", ")?;
|
|
|
|
}
|
|
|
|
write!(f, "{}", arg)?;
|
|
|
|
}
|
|
|
|
write!(f, ")")
|
|
|
|
}
|
2024-05-11 15:22:08 -05:00
|
|
|
Self::Return { val: Some(val), .. } => write!(f, "return {};", val),
|
|
|
|
Self::Return { val: None, .. } => write!(f, "return;"),
|
|
|
|
Self::Ident { name, .. } => write!(f, "{}", name),
|
|
|
|
Self::Block { stmts, .. } => {
|
2024-05-09 16:41:59 -05:00
|
|
|
writeln!(f, "{{")?;
|
|
|
|
INDENT.with(|i| i.set(i.get() + 1));
|
2024-05-11 05:51:32 -05:00
|
|
|
let res = (|| {
|
2024-05-10 15:54:12 -05:00
|
|
|
for stmt in stmts {
|
2024-05-09 16:41:59 -05:00
|
|
|
for _ in 0..INDENT.with(|i| i.get()) {
|
|
|
|
write!(f, " ")?;
|
|
|
|
}
|
|
|
|
writeln!(f, "{}", stmt)?;
|
|
|
|
}
|
|
|
|
Ok(())
|
2024-05-11 05:51:32 -05:00
|
|
|
})();
|
2024-05-09 16:41:59 -05:00
|
|
|
INDENT.with(|i| i.set(i.get() - 1));
|
|
|
|
write!(f, "}}")?;
|
|
|
|
res
|
|
|
|
}
|
2024-05-11 15:22:08 -05:00
|
|
|
Self::Number { value, .. } => write!(f, "{}", value),
|
2024-05-10 15:54:12 -05:00
|
|
|
Self::BinOp { left, right, op } => {
|
|
|
|
let display_branch = |f: &mut std::fmt::Formatter, expr: &Self| {
|
|
|
|
if let Self::BinOp { op: lop, .. } = expr
|
|
|
|
&& op.precedence() > lop.precedence()
|
|
|
|
{
|
|
|
|
write!(f, "({})", expr)
|
|
|
|
} else {
|
|
|
|
write!(f, "{}", expr)
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
display_branch(f, left)?;
|
|
|
|
write!(f, " {} ", op)?;
|
|
|
|
display_branch(f, right)
|
|
|
|
}
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-05-10 08:29:11 -05:00
|
|
|
#[derive(Default)]
|
|
|
|
pub struct Arena<'a> {
|
|
|
|
chunk: Cell<ArenaChunk>,
|
|
|
|
ph: std::marker::PhantomData<&'a ()>,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<'a> Arena<'a> {
|
|
|
|
pub fn alloc_str(&self, token: &str) -> &'a str {
|
|
|
|
let ptr = self.alloc_slice(token.as_bytes());
|
|
|
|
unsafe { std::str::from_utf8_unchecked_mut(ptr) }
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn alloc<T>(&self, value: T) -> &'a mut T {
|
|
|
|
let layout = std::alloc::Layout::new::<T>();
|
|
|
|
let ptr = self.alloc_low(layout);
|
|
|
|
unsafe { ptr.cast::<T>().write(value) };
|
|
|
|
unsafe { ptr.cast::<T>().as_mut() }
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn alloc_slice<T: Copy>(&self, slice: &[T]) -> &'a mut [T] {
|
|
|
|
let layout = std::alloc::Layout::array::<T>(slice.len()).unwrap();
|
|
|
|
let ptr = self.alloc_low(layout);
|
|
|
|
unsafe {
|
|
|
|
ptr.as_ptr()
|
|
|
|
.cast::<T>()
|
|
|
|
.copy_from_nonoverlapping(slice.as_ptr(), slice.len())
|
|
|
|
};
|
|
|
|
unsafe { std::slice::from_raw_parts_mut(ptr.as_ptr() as _, slice.len()) }
|
|
|
|
}
|
|
|
|
|
|
|
|
pub fn clear(&mut self) {
|
|
|
|
let chunk = self.chunk.get_mut();
|
|
|
|
if chunk.base.is_null() {
|
|
|
|
return;
|
|
|
|
}
|
|
|
|
|
|
|
|
loop {
|
|
|
|
let prev = ArenaChunk::prev(chunk.base);
|
|
|
|
if prev.is_null() {
|
|
|
|
break;
|
|
|
|
}
|
|
|
|
chunk.base = prev;
|
|
|
|
}
|
|
|
|
|
|
|
|
chunk.end = unsafe { chunk.base.add(ArenaChunk::PREV_OFFSET) };
|
|
|
|
}
|
|
|
|
|
|
|
|
fn with_chunk<R>(&self, f: impl FnOnce(&mut ArenaChunk) -> R) -> R {
|
|
|
|
let mut chunk = self.chunk.get();
|
|
|
|
let r = f(&mut chunk);
|
|
|
|
self.chunk.set(chunk);
|
|
|
|
r
|
|
|
|
}
|
|
|
|
|
|
|
|
fn alloc_low(&self, layout: std::alloc::Layout) -> NonNull<u8> {
|
|
|
|
assert!(layout.align() <= ArenaChunk::ALIGN);
|
|
|
|
assert!(layout.size() <= ArenaChunk::CHUNK_SIZE);
|
|
|
|
self.with_chunk(|chunk| {
|
|
|
|
if let Some(ptr) = chunk.alloc(layout) {
|
|
|
|
return ptr;
|
|
|
|
}
|
|
|
|
|
|
|
|
if let Some(prev) = ArenaChunk::reset(ArenaChunk::prev(chunk.base)) {
|
|
|
|
*chunk = prev;
|
|
|
|
} else {
|
|
|
|
*chunk = ArenaChunk::new(chunk.base);
|
|
|
|
}
|
|
|
|
|
|
|
|
chunk.alloc(layout).unwrap()
|
|
|
|
})
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<'a> Drop for Arena<'a> {
|
|
|
|
fn drop(&mut self) {
|
|
|
|
use ArenaChunk as AC;
|
|
|
|
|
|
|
|
let mut current = self.chunk.get().base;
|
|
|
|
|
|
|
|
let mut prev = AC::prev(current);
|
|
|
|
while !prev.is_null() {
|
|
|
|
let next = AC::next(prev);
|
|
|
|
unsafe { std::alloc::dealloc(prev, AC::LAYOUT) };
|
|
|
|
prev = next;
|
|
|
|
}
|
|
|
|
|
|
|
|
while !current.is_null() {
|
|
|
|
let next = AC::next(current);
|
|
|
|
unsafe { std::alloc::dealloc(current, AC::LAYOUT) };
|
|
|
|
current = next;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[derive(Clone, Copy)]
|
|
|
|
struct ArenaChunk {
|
|
|
|
base: *mut u8,
|
|
|
|
end: *mut u8,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Default for ArenaChunk {
|
|
|
|
fn default() -> Self {
|
|
|
|
Self {
|
|
|
|
base: std::ptr::null_mut(),
|
|
|
|
end: std::ptr::null_mut(),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl ArenaChunk {
|
|
|
|
const CHUNK_SIZE: usize = 1 << 16;
|
|
|
|
const ALIGN: usize = std::mem::align_of::<Self>();
|
|
|
|
const NEXT_OFFSET: usize = Self::CHUNK_SIZE - std::mem::size_of::<*mut u8>();
|
|
|
|
const PREV_OFFSET: usize = Self::NEXT_OFFSET - std::mem::size_of::<*mut u8>();
|
|
|
|
const LAYOUT: std::alloc::Layout =
|
|
|
|
unsafe { std::alloc::Layout::from_size_align_unchecked(Self::CHUNK_SIZE, Self::ALIGN) };
|
|
|
|
|
|
|
|
fn new(next: *mut u8) -> Self {
|
|
|
|
let base = unsafe { std::alloc::alloc(Self::LAYOUT) };
|
|
|
|
let end = unsafe { base.add(Self::PREV_OFFSET) };
|
|
|
|
if !next.is_null() {
|
|
|
|
Self::set_prev(next, base);
|
|
|
|
}
|
|
|
|
Self::set_next(base, next);
|
|
|
|
Self::set_prev(base, std::ptr::null_mut());
|
|
|
|
Self { base, end }
|
|
|
|
}
|
|
|
|
|
|
|
|
fn set_next(curr: *mut u8, next: *mut u8) {
|
|
|
|
unsafe { std::ptr::write(curr.add(Self::NEXT_OFFSET) as *mut _, next) };
|
|
|
|
}
|
|
|
|
|
|
|
|
fn set_prev(curr: *mut u8, prev: *mut u8) {
|
|
|
|
unsafe { std::ptr::write(curr.add(Self::PREV_OFFSET) as *mut _, prev) };
|
|
|
|
}
|
|
|
|
|
|
|
|
fn next(curr: *mut u8) -> *mut u8 {
|
|
|
|
unsafe { std::ptr::read(curr.add(Self::NEXT_OFFSET) as *mut _) }
|
|
|
|
}
|
|
|
|
|
|
|
|
fn prev(curr: *mut u8) -> *mut u8 {
|
|
|
|
if curr.is_null() {
|
|
|
|
return std::ptr::null_mut();
|
|
|
|
}
|
|
|
|
unsafe { std::ptr::read(curr.add(Self::PREV_OFFSET) as *mut _) }
|
|
|
|
}
|
|
|
|
|
|
|
|
fn reset(prev: *mut u8) -> Option<Self> {
|
|
|
|
if prev.is_null() {
|
|
|
|
return None;
|
|
|
|
}
|
|
|
|
|
|
|
|
Some(Self {
|
|
|
|
base: prev,
|
|
|
|
end: unsafe { prev.add(Self::CHUNK_SIZE) },
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
|
|
|
fn alloc(&mut self, layout: std::alloc::Layout) -> Option<NonNull<u8>> {
|
|
|
|
let padding = self.end as usize - (self.end as usize & !(layout.align() - 1));
|
|
|
|
let size = layout.size() + padding;
|
|
|
|
if size > self.end as usize - self.base as usize {
|
|
|
|
return None;
|
|
|
|
}
|
|
|
|
unsafe { self.end = self.end.sub(size) };
|
|
|
|
unsafe { Some(NonNull::new_unchecked(self.end)) }
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2024-05-09 16:41:59 -05:00
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
|
|
|
fn parse(input: &'static str, output: &mut String) {
|
|
|
|
use std::fmt::Write;
|
2024-05-10 08:29:11 -05:00
|
|
|
let mut arena = super::Arena::default();
|
|
|
|
let mut buffer = Vec::new();
|
|
|
|
let mut parser =
|
|
|
|
super::Parser::new(input, std::path::Path::new("test"), &arena, &mut buffer);
|
2024-05-09 16:41:59 -05:00
|
|
|
for expr in parser.file() {
|
|
|
|
writeln!(output, "{}", expr).unwrap();
|
|
|
|
}
|
2024-05-10 08:29:11 -05:00
|
|
|
arena.clear();
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
|
|
|
|
crate::run_tests! { parse:
|
|
|
|
example => include_str!("../examples/main_fn.hb");
|
2024-05-10 15:54:12 -05:00
|
|
|
arithmetic => include_str!("../examples/arithmetic.hb");
|
2024-05-09 16:41:59 -05:00
|
|
|
}
|
|
|
|
}
|