entry.rs 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324
  1. use alloc::boxed::Box;
  2. use alloc::sync::Arc;
  3. use core::marker::PhantomData;
  4. use core::mem::ManuallyDrop;
  5. use core::ops::{Deref, Not};
  6. use crate::node::{TryClone, XNode};
  7. /// A trait for the types users wish to store in an `XArray`.
  8. ///
  9. /// Items stored in an `XArray` must be representable by a `usize` aligned to 4.
  10. ///
  11. /// # Safety
  12. ///
  13. /// Users must ensure that `into_raw()` always produce `usize`s that meet the above alignment
  14. /// requirements.
  15. ///
  16. /// Users must also ensure that as long as the value does not get dropped (e.g., by making use of
  17. /// [`core::mem::ManuallyDrop`]), it is legal to invoke [`ItemEntry::from_raw`] multiple times on
  18. /// the raw `usize` produced by invoking [`ItemEntry::into_raw`] only one time.
  19. pub unsafe trait ItemEntry {
  20. /// Converts the original value into a `usize`, consuming the ownership of the original value.
  21. fn into_raw(self) -> usize;
  22. /// Recovers the original value from a `usize`, reclaiming the ownership of the original value.
  23. ///
  24. /// # Safety
  25. ///
  26. /// The original value must have not been dropped, and the raw value must be previously
  27. /// returned by [`ItemEntry::into_raw`].
  28. unsafe fn from_raw(raw: usize) -> Self;
  29. }
  30. // SAFETY: `Arc<T>` meets the safety requirements of `ItemEntry`.
  31. unsafe impl<T> ItemEntry for Arc<T> {
  32. fn into_raw(self) -> usize {
  33. let raw_ptr = Arc::into_raw(self);
  34. raw_ptr as usize
  35. }
  36. // SAFETY: `Arc::<T>::from_raw` and `Arc::<T>::into_raw` meet the safety requirements of
  37. // `ItemEntry::from_raw`.
  38. unsafe fn from_raw(raw: usize) -> Self {
  39. unsafe { Arc::from_raw(raw as *mut _) }
  40. }
  41. }
  42. // SAFETY: `Box<T>` meets the safety requirements of `ItemEntry`.
  43. unsafe impl<T> ItemEntry for Box<T> {
  44. fn into_raw(self) -> usize {
  45. let raw_ptr = Box::into_raw(self);
  46. raw_ptr as usize
  47. }
  48. // SAFETY: `Box::<T>::from_raw` and `Box::<T>::into_raw` meet the safety requirements of
  49. // `ItemEntry::from_raw`.
  50. unsafe fn from_raw(raw: usize) -> Self {
  51. unsafe { Box::from_raw(raw as *mut _) }
  52. }
  53. }
  54. /// A type that behaves exactly the same as `&I`.
  55. ///
  56. /// This works around some implementation limitations where `&I` must be returned, but it is not
  57. /// technically possible because the memory bits of the value are complexly encoded. Therefore a
  58. /// wrapper type that represents `&I` comes to the rescue.
  59. #[derive(PartialEq, Debug)]
  60. pub struct ItemRef<'a, I>
  61. where
  62. I: ItemEntry,
  63. {
  64. item: ManuallyDrop<I>,
  65. _marker: PhantomData<&'a I>,
  66. }
  67. impl<'a, I: ItemEntry> Deref for ItemRef<'a, I> {
  68. type Target = I;
  69. fn deref(&self) -> &I {
  70. &*self.item
  71. }
  72. }
  73. /// A type serving as the basic unit of storage for `XArray`s, used in the head of the `XArray` and
  74. /// the slots of `XNode`s.
  75. ///
  76. /// There are the following types of `XEntry`:
  77. /// - Internal entries: These are invisible to users and have the last two bits set to 10.
  78. /// - Item entries: These represent user-given items and have the last two bits set to 00.
  79. ///
  80. /// An `XEntry` owns the item or node that it represents. Once an `XEntry` generated from an item
  81. /// or an `XNode`, the ownership of the item or the `XNode` will be transferred to the `XEntry`.
  82. ///
  83. /// An `XEntry` behaves just like the item or node it represents. Therefore, if the item type `I`
  84. /// implements the [`Clone`] trait, the `XEntry` will also also implement the [`Clone`] trait.
  85. #[derive(PartialEq, Eq, Debug)]
  86. #[repr(transparent)]
  87. pub(super) struct XEntry<I>
  88. where
  89. I: ItemEntry,
  90. {
  91. raw: usize,
  92. _marker: core::marker::PhantomData<(Arc<XNode<I>>, I)>,
  93. }
  94. #[derive(PartialEq, Eq, Debug)]
  95. #[repr(usize)]
  96. enum EntryType {
  97. Node = 0,
  98. Item = 2,
  99. }
  100. impl TryFrom<usize> for EntryType {
  101. type Error = ();
  102. fn try_from(val: usize) -> Result<Self, Self::Error> {
  103. match val {
  104. x if x == EntryType::Node as usize => Ok(EntryType::Node),
  105. x if x == EntryType::Item as usize => Ok(EntryType::Item),
  106. _ => Err(()),
  107. }
  108. }
  109. }
  110. impl<I: ItemEntry> XEntry<I> {
  111. const TYPE_MASK: usize = 3;
  112. pub const EMPTY: Self = Self {
  113. raw: 0,
  114. _marker: PhantomData,
  115. };
  116. // SAFETY: `ptr` must be returned from `Arc::<XNode<I>>::into_raw` or `I::into_raw` and be
  117. // consistent with `ty`. In addition, the ownership of the value of `Arc<XNode<I>>` or `I` must
  118. // be transferred to the constructed instance of `XEntry`.
  119. unsafe fn new(ptr: usize, ty: EntryType) -> Self {
  120. debug_assert!(ptr & Self::TYPE_MASK == 0);
  121. Self {
  122. raw: ptr | (ty as usize),
  123. _marker: PhantomData,
  124. }
  125. }
  126. fn ptr(&self) -> usize {
  127. self.raw & !Self::TYPE_MASK
  128. }
  129. fn ty(&self) -> Option<EntryType> {
  130. self.is_null()
  131. .not()
  132. .then(|| (self.raw & Self::TYPE_MASK).try_into().unwrap())
  133. }
  134. pub fn is_null(&self) -> bool {
  135. self.raw == 0
  136. }
  137. }
  138. pub(super) enum NodeMaybeMut<'a, I>
  139. where
  140. I: ItemEntry,
  141. {
  142. Shared(&'a XNode<I>),
  143. Exclusive(&'a mut XNode<I>),
  144. }
  145. impl<'a, I: ItemEntry> Deref for NodeMaybeMut<'a, I> {
  146. type Target = XNode<I>;
  147. fn deref(&self) -> &XNode<I> {
  148. match &self {
  149. Self::Shared(ref node) => node,
  150. Self::Exclusive(ref node) => node,
  151. }
  152. }
  153. }
  154. impl<I: ItemEntry> XEntry<I> {
  155. pub fn from_node(node: XNode<I>) -> Self {
  156. let node_ptr = {
  157. let arc_node = Arc::new(node);
  158. Arc::into_raw(arc_node) as usize
  159. };
  160. // SAFETY: `node_ptr` is returned from `Arc::<Node<I>>::into_raw` and the ownership of the
  161. // value of `Arc<XNode<I>>` is transferred.
  162. unsafe { Self::new(node_ptr, EntryType::Node) }
  163. }
  164. pub fn is_node(&self) -> bool {
  165. self.ty() == Some(EntryType::Node)
  166. }
  167. pub fn as_node_ref(&self) -> Option<&XNode<I>> {
  168. if !self.is_node() {
  169. return None;
  170. }
  171. // SAFETY: `self` owns the value of `Arc<XNode<I>>`.
  172. Some(unsafe { &*(self.ptr() as *const XNode<I>) })
  173. }
  174. pub fn as_node_maybe_mut(&mut self) -> Option<NodeMaybeMut<'_, I>> {
  175. match self.node_strong_count() {
  176. 0 => None,
  177. // SAFETY: `&mut self` ensures the exclusive access to the value of `Arc<XNode<I>>`,
  178. // and `node_strong_count() == 1` ensures the exclusive access to the value of
  179. // `XNode<I>`.
  180. 1 => Some(NodeMaybeMut::Exclusive(unsafe {
  181. &mut *(self.ptr() as *mut _)
  182. })),
  183. // SAFETY: `self` owns the value of `Arc<XNode<I>>`.
  184. _ => Some(NodeMaybeMut::Shared(unsafe { &*(self.ptr() as *const _) })),
  185. }
  186. }
  187. pub fn as_node_mut_or_cow(&mut self) -> Option<&mut XNode<I>> {
  188. match self.node_strong_count() {
  189. 0 => return None,
  190. // SAFETY: `&mut self` ensures the exclusive access to the value of `Arc<XNode<I>>`,
  191. // and `node_strong_count() == 1` ensures the exclusive access to the value of
  192. // `XNode<I>`.
  193. 1 => return Some(unsafe { &mut *(self.ptr() as *mut _) }),
  194. _ => (),
  195. }
  196. // SAFETY: `self` owns the value of `Arc<XNode<I>>`.
  197. let node = unsafe { &*(self.ptr() as *const XNode<I>) };
  198. let new_node = node.try_clone().unwrap();
  199. *self = Self::from_node(new_node);
  200. // SAFETY: `node_strong_count() == 1` now holds.
  201. Some(unsafe { &mut *(self.ptr() as *mut XNode<I>) })
  202. }
  203. fn node_strong_count(&self) -> usize {
  204. if !self.is_node() {
  205. return 0;
  206. }
  207. // SAFETY: `self` owns the value of `Arc<XNode<I>>` and the constructed instance of
  208. // `Arc<XNode<I>>` will not be dropped.
  209. let node = unsafe { ManuallyDrop::new(Arc::from_raw(self.ptr() as *const XNode<I>)) };
  210. Arc::strong_count(&*node)
  211. }
  212. }
  213. impl<I: ItemEntry> XEntry<I> {
  214. pub fn from_item(item: I) -> Self {
  215. let item_ptr = I::into_raw(item) as usize;
  216. // SAFETY: `item_ptr` is returned from `I::from_raw` and the ownership of the value of `I`
  217. // is transferred.
  218. unsafe { Self::new(item_ptr, EntryType::Item) }
  219. }
  220. pub fn is_item(&self) -> bool {
  221. self.ty() == Some(EntryType::Item)
  222. }
  223. pub fn into_item(self) -> Option<I> {
  224. if !self.is_item() {
  225. return None;
  226. }
  227. let ptr = self.ptr();
  228. core::mem::forget(self);
  229. // SAFETY: `self` owns the value of `I`.
  230. Some(unsafe { I::from_raw(ptr) })
  231. }
  232. pub fn as_item_ref(&self) -> Option<ItemRef<'_, I>> {
  233. if !self.is_item() {
  234. return None;
  235. }
  236. let ptr = self.ptr();
  237. // SAFETY: `self` owns the value of `I`, the constructed instance of `I` will not be
  238. // dropped, and `ItemRef` only allows shared access to the instance.
  239. Some(ItemRef {
  240. item: unsafe { ManuallyDrop::new(I::from_raw(ptr)) },
  241. _marker: PhantomData,
  242. })
  243. }
  244. }
  245. impl<I: ItemEntry> Drop for XEntry<I> {
  246. fn drop(&mut self) {
  247. match self.ty() {
  248. None => (),
  249. // SAFETY: `self` owns the value of `I`.
  250. Some(EntryType::Item) => unsafe {
  251. I::from_raw(self.ptr());
  252. },
  253. // SAFETY: `self` owns the value of `Arc<XNode<I>>`.
  254. Some(EntryType::Node) => unsafe {
  255. Arc::from_raw(self.ptr() as *const XNode<I>);
  256. },
  257. }
  258. }
  259. }
  260. impl<I: ItemEntry + Clone> Clone for XEntry<I> {
  261. fn clone(&self) -> Self {
  262. match self.ty() {
  263. None => Self::EMPTY,
  264. // SAFETY: `self` owns the value of `I`, the constructed instance of `I` will not be
  265. // dropped, and `clone()` only takes a shared reference to the instance.
  266. Some(EntryType::Item) => unsafe {
  267. let item_entry = ManuallyDrop::new(I::from_raw(self.ptr()));
  268. Self::from_item((*item_entry).clone())
  269. },
  270. // SAFETY: `self` owns the value of `Arc<XNode<T>>`, and `Arc` can be cloned by
  271. // increasing its strong count.
  272. Some(EntryType::Node) => unsafe {
  273. Arc::increment_strong_count(self.ptr() as *const XNode<I>);
  274. Self {
  275. raw: self.raw,
  276. _marker: PhantomData,
  277. }
  278. },
  279. }
  280. }
  281. }