rusqlite/util/
param_cache.rs1use super::SmallCString;
2use std::cell::RefCell;
3use std::collections::BTreeMap;
4
5#[derive(Default, Clone, Debug)]
7pub(crate) struct ParamIndexCache(RefCell<BTreeMap<SmallCString, usize>>);
10
11impl ParamIndexCache {
12 pub fn get_or_insert_with<F>(&self, s: &str, func: F) -> Option<usize>
13 where
14 F: FnOnce(&std::ffi::CStr) -> Option<usize>,
15 {
16 let mut cache = self.0.borrow_mut();
17 if let Some(v) = cache.get(s) {
19 return Some(*v);
20 }
21 let name = SmallCString::new(s).ok()?;
24 let val = func(&name)?;
25 cache.insert(name, val);
26 Some(val)
27 }
28}
29
30#[cfg(test)]
31mod test {
32 use super::*;
33 #[test]
34 fn test_cache() {
35 let p = ParamIndexCache::default();
36 let v = p.get_or_insert_with("foo", |cstr| {
37 assert_eq!(cstr.to_str().unwrap(), "foo");
38 Some(3)
39 });
40 assert_eq!(v, Some(3));
41 let v = p.get_or_insert_with("foo", |_| {
42 panic!("shouldn't be called this time");
43 });
44 assert_eq!(v, Some(3));
45 let v = p.get_or_insert_with("gar\0bage", |_| {
46 panic!("shouldn't be called here either");
47 });
48 assert_eq!(v, None);
49 let v = p.get_or_insert_with("bar", |cstr| {
50 assert_eq!(cstr.to_str().unwrap(), "bar");
51 None
52 });
53 assert_eq!(v, None);
54 let v = p.get_or_insert_with("bar", |cstr| {
55 assert_eq!(cstr.to_str().unwrap(), "bar");
56 Some(30)
57 });
58 assert_eq!(v, Some(30));
59 }
60}