1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
use fixed::MutFixed;
use std::{collections::HashMap, slice, str};

/// A context object.
#[repr(C)]
pub struct Context {
    class: &'static ContextClass,
    abi_unsafe_data: MutFixed<ContextData>,
}

struct ContextData {
    config: HashMap<String, String>,
}

impl Context {
    /// Creates a new Context.
    pub fn new(config: HashMap<String, String>) -> Context {
        Self {
            class: &CONTEXT_CLASS,
            abi_unsafe_data: MutFixed::new(ContextData { config }),
        }
    }

    /// Returns a config value in the current profile.
    pub fn get_config(&self, key: &str) -> &str {
        let mut len = key.len() as u64;
        let data = (self.class.get_config)(self, key.as_ptr(), &mut len);
        unsafe { str::from_utf8_unchecked(slice::from_raw_parts(data, len as usize)) }
    }
}

#[repr(C)]
pub struct ContextClass {
    get_config: extern "C" fn(*const Context, *const u8, *mut u64) -> *const u8,
}

impl ContextClass {
    fn new() -> ContextClass {
        Self {
            get_config: abi_get_config,
        }
    }
}

extern "C" fn abi_get_config(ctx: *const Context, data: *const u8, len: *mut u64) -> *const u8 {
    unsafe {
        let key = str::from_utf8_unchecked(slice::from_raw_parts(data, *len as usize));
        let val = (*ctx)
            .abi_unsafe_data
            .config
            .get(key)
            .map(|s| s.as_str())
            .unwrap_or("");
        *len = val.len() as u64;
        val.as_ptr()
    }
}

lazy_static! {
    static ref CONTEXT_CLASS: ContextClass = ContextClass::new();
}