about summary refs log blame commit diff
path: root/tvix/eval/src/value/function.rs
blob: e5db43d58ace61f63665e1f00c77efe0a6a0f004 (plain) (tree)
1
2
3
4
5
6
7
8
9
10
                                                                   



                         
 
                                                     
 

                       
                               
                            
                                    






                                      
                             


         
                                           

                       
 

                       
                         
                           


                             



                                              
              
                                            
                                                   

                                                               
















                                                              
     
 
//! This module implements the runtime representation of functions.
use std::{
    cell::{Ref, RefCell},
    rc::Rc,
};

use crate::{chunk::Chunk, opcode::UpvalueIdx, Value};

#[derive(Clone, Debug)]
pub struct Lambda {
    // name: Option<NixString>,
    pub(crate) chunk: Chunk,
    pub(crate) upvalue_count: usize,
}

impl Lambda {
    pub fn new_anonymous() -> Self {
        Lambda {
            // name: None,
            chunk: Default::default(),
            upvalue_count: 0,
        }
    }

    pub fn chunk(&mut self) -> &mut Chunk {
        &mut self.chunk
    }
}

#[derive(Clone, Debug)]
pub struct InnerClosure {
    pub lambda: Rc<Lambda>,
    pub upvalues: Vec<Value>,
}

#[repr(transparent)]
#[derive(Clone, Debug)]
pub struct Closure(Rc<RefCell<InnerClosure>>);

impl Closure {
    pub fn new(lambda: Rc<Lambda>) -> Self {
        Closure(Rc::new(RefCell::new(InnerClosure {
            upvalues: Vec::with_capacity(lambda.upvalue_count),
            lambda,
        })))
    }

    pub fn chunk(&self) -> Ref<'_, Chunk> {
        Ref::map(self.0.borrow(), |c| &c.lambda.chunk)
    }

    pub fn upvalue(&self, idx: UpvalueIdx) -> Ref<'_, Value> {
        Ref::map(self.0.borrow(), |c| &c.upvalues[idx.0])
    }

    pub fn upvalue_count(&self) -> usize {
        self.0.borrow().lambda.upvalue_count
    }

    pub fn push_upvalue(&self, value: Value) {
        self.0.borrow_mut().upvalues.push(value)
    }
}