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
62
63
64
65
66
macro_rules! impl_caml_pointer {
    ($name: ident => $typ: ty) => {
        #[derive(core::fmt::Debug, Clone, ::ocaml_gen::CustomType)]
        pub struct $name(pub ::std::rc::Rc<std::cell::UnsafeCell<$typ>>);

        impl $name {
            extern "C" fn caml_pointer_finalize(v: ocaml::Raw) {
                unsafe {
                    let v: ocaml::Pointer<$name> = v.as_pointer();
                    v.drop_in_place();
                }
            }

            extern "C" fn caml_pointer_compare(_: ocaml::Raw, _: ocaml::Raw) -> i32 {
                // Always return equal. We can use this for sanity checks, and
                // anything else using this would be broken anyway.
                0
            }
        }

        ocaml::custom!($name {
            finalize: $name::caml_pointer_finalize,
            compare: $name::caml_pointer_compare,
        });

        unsafe impl<'a> ocaml::FromValue<'a> for $name {
            fn from_value(x: ocaml::Value) -> Self {
                let x = ocaml::Pointer::<Self>::from_value(x);
                $name(x.as_ref().0.clone())
            }
        }

        impl $name {
            pub fn create(x: $typ) -> $name {
                $name(::std::rc::Rc::new(std::cell::UnsafeCell::new(x)))
            }
        }

        impl ::core::ops::Deref for $name {
            type Target = $typ;

            fn deref(&self) -> &Self::Target {
                unsafe { &*self.0.get() }
            }
        }

        impl ::core::ops::DerefMut for $name {
            fn deref_mut(&mut self) -> &mut Self::Target {
                unsafe {
                    // Wholely unsafe, Batman!
                    // We would use [`get_mut_unchecked`] here, but it is nightly-only.
                    // Instead, we get coerce our constant pointer to a mutable
                    // pointer, in the knowledge that
                    // * all of our mutations called from OCaml are blocking, so
                    // we won't have multiple live mutable references live
                    // simultaneously, and
                    // * the underlying pointer is in the correct state to be
                    //   mutable, since we can call [`get_mut_unchecked`] in
                    //   nightly, or can call [`get_mut`] and unwrap if this is
                    //   the only live reference.
                    &mut *self.0.get()
                }
            }
        }
    };
}