1use super::{Object, WithLifetime};
2use crate::core::gc::{GcMoveable, Trace};
3use std::{cell::Cell, fmt};
45/// This type represents and immutable view into an Object. The reason we have
6/// an additional type is because there could be other references to this same
7/// cell that can change the underlying data, so this is wrapper around
8/// `std::cell::Cell` type. It is not valid to mutate the data under a reference
9/// unless it is inside an `Unsafe` Cell. However because this struct could also
10/// be used in an immutable data structure (function constants), we need to
11/// ensure that this cell cannot be mutated by default. This type is not safe to
12/// be copy or clone.
13#[derive(PartialEq, Eq)]
14#[repr(transparent)]
15pub(crate) struct ObjCell(Cell<Object<'static>>);
1617impl std::hash::Hash for ObjCell {
18fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
19self.0.get().hash(state);
20 }
21}
2223impl ObjCell {
24pub(crate) fn get(&self) -> Object<'_> {
25unsafe { self.0.get().with_lifetime() }
26 }
2728pub(in crate::core) unsafe fn new(obj: Object) -> Self {
29Self(Cell::new(obj.with_lifetime()))
30 }
3132/// Casts to a `MutObjCell`. Caller must ensure that the data structure is
33 /// mutable.
34pub(in crate::core) unsafe fn as_mut(&self) -> &MutObjCell {
35&*(self as *const Self).cast()
36 }
37}
3839impl fmt::Display for ObjCell {
40fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
41 fmt::Display::fmt(&self.0.get(), f)
42 }
43}
4445impl fmt::Debug for ObjCell {
46fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
47write!(f, "{self}")
48 }
49}
5051impl Trace for ObjCell {
52fn trace(&self, state: &mut crate::core::gc::GcState) {
53let cell = unsafe { self.as_mut() };
54if let Some((new, moved)) = cell.get().move_value(&state.to_space) {
55 cell.set(new);
56if moved {
57 state.push(new);
58 }
59 }
60 }
61}
6263/// This represents a mutable view into an Object. See [`ObjCell`] for a more
64/// detailed explanation. Holding this type means that we confirmed that the
65/// data stucture is mutable, and we can use the [`MutObjCell::set`] method update this
66/// cell.
67#[derive(PartialEq)]
68#[repr(transparent)]
69pub(crate) struct MutObjCell(ObjCell);
7071impl std::ops::Deref for MutObjCell {
72type Target = ObjCell;
7374fn deref(&self) -> &Self::Target {
75&self.0
76}
77}
7879impl MutObjCell {
80pub(crate) fn set(&self, value: Object) {
81unsafe {
82self.0.0.set(value.with_lifetime());
83 }
84 }
85}