lib.rs 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587
  1. //! A library providing direct casting among trait objects implemented by a type.
  2. //!
  3. //! In Rust, an object of a sub-trait of [`Any`] can be downcast to a concrete type
  4. //! at runtime if the type is known. But no direct casting between two trait objects
  5. //! (i.e. without involving the concrete type of the backing value) is possible
  6. //! (even no coercion from a trait object to that of its super-trait yet).
  7. //!
  8. //! With this crate, any trait object with [`CastFrom`] as its super-trait can be cast directly
  9. //! to another trait object implemented by the underlying type if the target traits are
  10. //! registered beforehand with the macros provided by this crate.
  11. //!
  12. //! # Usage
  13. //! ```
  14. //! use intertrait::*;
  15. //! use intertrait::cast::*;
  16. //!
  17. //! struct Data;
  18. //!
  19. //! trait Source: CastFrom {}
  20. //!
  21. //! trait Greet {
  22. //! fn greet(&self);
  23. //! }
  24. //!
  25. //! #[cast_to]
  26. //! impl Greet for Data {
  27. //! fn greet(&self) {
  28. //! println!("Hello");
  29. //! }
  30. //! }
  31. //!
  32. //! impl Source for Data {}
  33. //!
  34. //! let data = Data;
  35. //! let source: &dyn Source = &data;
  36. //! let greet = source.cast::<dyn Greet>();
  37. //! greet.unwrap().greet();
  38. //! ```
  39. //!
  40. //! Target traits must be explicitly designated beforehand. There are three ways to do it:
  41. //!
  42. //! * [`#[cast_to]`][cast_to] to `impl` item
  43. //! * [`#[cast_to(Trait)]`][cast_to] to type definition
  44. //! * [`castable_to!(Type => Trait1, Trait2)`][castable_to]
  45. //!
  46. //! If the underlying type involved is `Sync + Send` and you want to use it with [`Arc`],
  47. //! use [`CastFromSync`] in place of [`CastFrom`] and add `[sync]` flag before the list
  48. //! of traits in the macros. Refer to the documents for each of macros for details.
  49. //!
  50. //! For casting, refer to traits defined in [`cast`] module.
  51. //!
  52. //! [cast_to]: ./attr.cast_to.html
  53. //! [castable_to]: ./macro.castable_to.html
  54. //! [`CastFrom`]: ./trait.CastFrom.html
  55. //! [`CastFromSync`]: ./trait.CastFromSync.html
  56. //! [`cast`]: ./cast/index.html
  57. //! [`Any`]: https://doc.rust-lang.org/std/any/trait.Any.html
  58. //! [`Arc`]: https://doc.rust-lang.org/std/sync/struct.Arc.html
  59. #![cfg_attr(target_os = "none", no_std)]
  60. extern crate alloc;
  61. extern crate core;
  62. use core::{
  63. any::{Any, TypeId},
  64. marker::{Send, Sync},
  65. };
  66. use alloc::boxed::Box;
  67. use alloc::rc::Rc;
  68. use alloc::sync::Arc;
  69. use hashbrown::HashMap;
  70. use linkme::distributed_slice;
  71. pub use intertrait_macros::*;
  72. use crate::hasher::BuildFastHasher;
  73. pub mod cast;
  74. mod hasher;
  75. #[doc(hidden)]
  76. pub type BoxedCaster = Box<dyn Any + Send + Sync>;
  77. #[cfg(doctest)]
  78. doc_comment::doctest!("../README.md");
  79. /// A distributed slice gathering constructor functions for [`Caster<T>`]s.
  80. ///
  81. /// A constructor function returns `TypeId` of a concrete type involved in the casting
  82. /// and a `Box` of a trait object backed by a [`Caster<T>`].
  83. ///
  84. /// [`Caster<T>`]: ./struct.Caster.html
  85. #[doc(hidden)]
  86. #[distributed_slice]
  87. pub static CASTERS: [fn() -> (TypeId, BoxedCaster)] = [..];
  88. /// A `HashMap` mapping `TypeId` of a [`Caster<T>`] to an instance of it.
  89. ///
  90. /// [`Caster<T>`]: ./struct.Caster.html
  91. #[cfg(not(target_os = "none"))]
  92. static CASTER_MAP: once_cell::sync::Lazy<HashMap<(TypeId, TypeId), BoxedCaster, BuildFastHasher>> =
  93. once_cell::sync::Lazy::new(|| {
  94. CASTERS
  95. .iter()
  96. .map(|f| {
  97. let (type_id, caster) = f();
  98. ((type_id, (*caster).type_id()), caster)
  99. })
  100. .collect()
  101. });
  102. /// CasterMap
  103. ///
  104. /// key.0: type_id of source
  105. /// key.1: type_id of target
  106. ///
  107. /// value: A BoxedCaster which can cast source to target
  108. #[cfg(target_os = "none")]
  109. static mut CASTER_MAP: Option<HashMap<(TypeId, TypeId), BoxedCaster, BuildFastHasher>> = None;
  110. #[cfg(target_os = "none")]
  111. pub fn caster_map() -> &'static HashMap<(TypeId, TypeId), BoxedCaster, BuildFastHasher> {
  112. return unsafe {
  113. CASTER_MAP.as_ref().unwrap_or_else(|| {
  114. panic!("intertrait_caster_map() must be called after CASTER_MAP is initialized")
  115. })
  116. };
  117. }
  118. /// Initializes the global [`CASTER_MAP`] with [`CASTERS`].
  119. ///
  120. /// no_std环境下,需要手动调用此函数初始化CASTER_MAP
  121. #[cfg(target_os = "none")]
  122. pub fn init_caster_map() {
  123. use core::sync::atomic::AtomicBool;
  124. let pd = AtomicBool::new(false);
  125. let r = pd.compare_exchange(
  126. false,
  127. true,
  128. core::sync::atomic::Ordering::SeqCst,
  129. core::sync::atomic::Ordering::SeqCst,
  130. );
  131. if r.is_err() {
  132. panic!("init_caster_map() must be called only once");
  133. }
  134. let hashmap = CASTERS
  135. .iter()
  136. .map(|f| {
  137. let (type_id, caster) = f();
  138. ((type_id, (*caster).type_id()), caster)
  139. })
  140. .collect();
  141. unsafe { CASTER_MAP = Some(hashmap) };
  142. }
  143. #[cfg(not(target_os = "none"))]
  144. pub fn init_caster_map() {}
  145. fn cast_arc_panic<T: ?Sized + 'static>(_: Arc<dyn Any + Sync + Send>) -> Arc<T> {
  146. panic!("Prepend [sync] to the list of target traits for Sync + Send types")
  147. }
  148. /// A `Caster` knows how to cast a reference to or `Box` of a trait object for `Any`
  149. /// to a trait object of trait `T`. Each `Caster` instance is specific to a concrete type.
  150. /// That is, it knows how to cast to single specific trait implemented by single specific type.
  151. ///
  152. /// An implementation of a trait for a concrete type doesn't need to manually provide
  153. /// a `Caster`. Instead attach `#[cast_to]` to the `impl` block.
  154. #[doc(hidden)]
  155. pub struct Caster<T: ?Sized + 'static> {
  156. /// Casts an immutable reference to a trait object for `Any` to a reference
  157. /// to a trait object for trait `T`.
  158. pub cast_ref: fn(from: &dyn Any) -> &T,
  159. /// Casts a mutable reference to a trait object for `Any` to a mutable reference
  160. /// to a trait object for trait `T`.
  161. pub cast_mut: fn(from: &mut dyn Any) -> &mut T,
  162. /// Casts a `Box` holding a trait object for `Any` to another `Box` holding a trait object
  163. /// for trait `T`.
  164. pub cast_box: fn(from: Box<dyn Any>) -> Box<T>,
  165. /// Casts an `Rc` holding a trait object for `Any` to another `Rc` holding a trait object
  166. /// for trait `T`.
  167. pub cast_rc: fn(from: Rc<dyn Any>) -> Rc<T>,
  168. /// Casts an `Arc` holding a trait object for `Any + Sync + Send + 'static`
  169. /// to another `Arc` holding a trait object for trait `T`.
  170. pub cast_arc: fn(from: Arc<dyn Any + Sync + Send + 'static>) -> Arc<T>,
  171. }
  172. impl<T: ?Sized + 'static> Caster<T> {
  173. pub fn new(
  174. cast_ref: fn(from: &dyn Any) -> &T,
  175. cast_mut: fn(from: &mut dyn Any) -> &mut T,
  176. cast_box: fn(from: Box<dyn Any>) -> Box<T>,
  177. cast_rc: fn(from: Rc<dyn Any>) -> Rc<T>,
  178. ) -> Caster<T> {
  179. Caster::<T> {
  180. cast_ref,
  181. cast_mut,
  182. cast_box,
  183. cast_rc,
  184. cast_arc: cast_arc_panic,
  185. }
  186. }
  187. pub fn new_sync(
  188. cast_ref: fn(from: &dyn Any) -> &T,
  189. cast_mut: fn(from: &mut dyn Any) -> &mut T,
  190. cast_box: fn(from: Box<dyn Any>) -> Box<T>,
  191. cast_rc: fn(from: Rc<dyn Any>) -> Rc<T>,
  192. cast_arc: fn(from: Arc<dyn Any + Sync + Send>) -> Arc<T>,
  193. ) -> Caster<T> {
  194. Caster::<T> {
  195. cast_ref,
  196. cast_mut,
  197. cast_box,
  198. cast_rc,
  199. cast_arc,
  200. }
  201. }
  202. }
  203. /// Returns a `Caster<S, T>` from a concrete type `S` to a trait `T` implemented by it.
  204. ///
  205. /// ## 参数
  206. ///
  207. /// - type_id: 源类型的type_id
  208. ///
  209. /// T: 目标trait
  210. fn caster<T: ?Sized + 'static>(type_id: TypeId) -> Option<&'static Caster<T>> {
  211. #[cfg(not(target_os = "none"))]
  212. {
  213. CASTER_MAP
  214. .get(&(type_id, TypeId::of::<Caster<T>>()))
  215. .and_then(|caster| caster.downcast_ref::<Caster<T>>())
  216. }
  217. #[cfg(target_os = "none")]
  218. {
  219. caster_map()
  220. .get(&(type_id, TypeId::of::<Caster<T>>()))
  221. .and_then(|caster| caster.downcast_ref::<Caster<T>>())
  222. }
  223. }
  224. /// `CastFrom` must be extended by a trait that wants to allow for casting into another trait.
  225. ///
  226. /// It is used for obtaining a trait object for [`Any`] from a trait object for its sub-trait,
  227. /// and blanket implemented for all `Sized + Any + 'static` types.
  228. ///
  229. /// # Examples
  230. /// ```ignore
  231. /// trait Source: CastFrom {
  232. /// ...
  233. /// }
  234. /// ```
  235. pub trait CastFrom: Any + 'static {
  236. /// Returns a immutable reference to `Any`, which is backed by the type implementing this trait.
  237. fn ref_any(&self) -> &dyn Any;
  238. /// Returns a mutable reference to `Any`, which is backed by the type implementing this trait.
  239. fn mut_any(&mut self) -> &mut dyn Any;
  240. /// Returns a `Box` of `Any`, which is backed by the type implementing this trait.
  241. fn box_any(self: Box<Self>) -> Box<dyn Any>;
  242. /// Returns an `Rc` of `Any`, which is backed by the type implementing this trait.
  243. fn rc_any(self: Rc<Self>) -> Rc<dyn Any>;
  244. }
  245. /// `CastFromSync` must be extended by a trait that is `Any + Sync + Send + 'static`
  246. /// and wants to allow for casting into another trait behind references and smart pointers
  247. /// especially including `Arc`.
  248. ///
  249. /// It is used for obtaining a trait object for [`Any + Sync + Send + 'static`] from an object
  250. /// for its sub-trait, and blanket implemented for all `Sized + Sync + Send + 'static` types.
  251. ///
  252. /// # Examples
  253. /// ```ignore
  254. /// trait Source: CastFromSync {
  255. /// ...
  256. /// }
  257. /// ```
  258. pub trait CastFromSync: CastFrom + Sync + Send + 'static {
  259. fn arc_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send + 'static>;
  260. }
  261. impl<T: Sized + Any + 'static> CastFrom for T {
  262. fn ref_any(&self) -> &dyn Any {
  263. self
  264. }
  265. fn mut_any(&mut self) -> &mut dyn Any {
  266. self
  267. }
  268. fn box_any(self: Box<Self>) -> Box<dyn Any> {
  269. self
  270. }
  271. fn rc_any(self: Rc<Self>) -> Rc<dyn Any> {
  272. self
  273. }
  274. }
  275. impl CastFrom for dyn Any + 'static {
  276. fn ref_any(&self) -> &dyn Any {
  277. self
  278. }
  279. fn mut_any(&mut self) -> &mut dyn Any {
  280. self
  281. }
  282. fn box_any(self: Box<Self>) -> Box<dyn Any> {
  283. self
  284. }
  285. fn rc_any(self: Rc<Self>) -> Rc<dyn Any> {
  286. self
  287. }
  288. }
  289. impl<T: Sized + Sync + Send + 'static> CastFromSync for T {
  290. fn arc_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send + 'static> {
  291. self
  292. }
  293. }
  294. impl CastFrom for dyn Any + Sync + Send + 'static {
  295. fn ref_any(&self) -> &dyn Any {
  296. self
  297. }
  298. fn mut_any(&mut self) -> &mut dyn Any {
  299. self
  300. }
  301. fn box_any(self: Box<Self>) -> Box<dyn Any> {
  302. self
  303. }
  304. fn rc_any(self: Rc<Self>) -> Rc<dyn Any> {
  305. self
  306. }
  307. }
  308. impl CastFromSync for dyn Any + Sync + Send + 'static {
  309. fn arc_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send + 'static> {
  310. self
  311. }
  312. }
  313. #[cfg(test)]
  314. mod tests {
  315. extern crate std;
  316. use std::any::{Any, TypeId};
  317. use std::fmt::{Debug, Display};
  318. use linkme::distributed_slice;
  319. use crate::{BoxedCaster, CastFromSync};
  320. use super::cast::*;
  321. use super::*;
  322. #[distributed_slice(super::CASTERS)]
  323. static TEST_CASTER: fn() -> (TypeId, BoxedCaster) = create_test_caster;
  324. #[derive(Debug)]
  325. struct TestStruct;
  326. trait SourceTrait: CastFromSync {}
  327. impl SourceTrait for TestStruct {}
  328. fn create_test_caster() -> (TypeId, BoxedCaster) {
  329. let type_id = TypeId::of::<TestStruct>();
  330. let caster = Box::new(Caster::<dyn Debug> {
  331. cast_ref: |from| from.downcast_ref::<TestStruct>().unwrap(),
  332. cast_mut: |from| from.downcast_mut::<TestStruct>().unwrap(),
  333. cast_box: |from| from.downcast::<TestStruct>().unwrap(),
  334. cast_rc: |from| from.downcast::<TestStruct>().unwrap(),
  335. cast_arc: |from| from.downcast::<TestStruct>().unwrap(),
  336. });
  337. (type_id, caster)
  338. }
  339. #[test]
  340. fn cast_ref() {
  341. let ts = TestStruct;
  342. let st: &dyn SourceTrait = &ts;
  343. let debug = st.cast::<dyn Debug>();
  344. assert!(debug.is_some());
  345. }
  346. #[test]
  347. fn cast_mut() {
  348. let mut ts = TestStruct;
  349. let st: &mut dyn SourceTrait = &mut ts;
  350. let debug = st.cast::<dyn Debug>();
  351. assert!(debug.is_some());
  352. }
  353. #[test]
  354. fn cast_box() {
  355. let ts = Box::new(TestStruct);
  356. let st: Box<dyn SourceTrait> = ts;
  357. let debug = st.cast::<dyn Debug>();
  358. assert!(debug.is_ok());
  359. }
  360. #[test]
  361. fn cast_rc() {
  362. let ts = Rc::new(TestStruct);
  363. let st: Rc<dyn SourceTrait> = ts;
  364. let debug = st.cast::<dyn Debug>();
  365. assert!(debug.is_ok());
  366. }
  367. #[test]
  368. fn cast_arc() {
  369. let ts = Arc::new(TestStruct);
  370. let st: Arc<dyn SourceTrait> = ts;
  371. let debug = st.cast::<dyn Debug>();
  372. assert!(debug.is_ok());
  373. }
  374. #[test]
  375. fn cast_ref_wrong() {
  376. let ts = TestStruct;
  377. let st: &dyn SourceTrait = &ts;
  378. let display = st.cast::<dyn Display>();
  379. assert!(display.is_none());
  380. }
  381. #[test]
  382. fn cast_mut_wrong() {
  383. let mut ts = TestStruct;
  384. let st: &mut dyn SourceTrait = &mut ts;
  385. let display = st.cast::<dyn Display>();
  386. assert!(display.is_none());
  387. }
  388. #[test]
  389. fn cast_box_wrong() {
  390. let ts = Box::new(TestStruct);
  391. let st: Box<dyn SourceTrait> = ts;
  392. let display = st.cast::<dyn Display>();
  393. assert!(display.is_err());
  394. }
  395. #[test]
  396. fn cast_rc_wrong() {
  397. let ts = Rc::new(TestStruct);
  398. let st: Rc<dyn SourceTrait> = ts;
  399. let display = st.cast::<dyn Display>();
  400. assert!(display.is_err());
  401. }
  402. #[test]
  403. fn cast_arc_wrong() {
  404. let ts = Arc::new(TestStruct);
  405. let st: Arc<dyn SourceTrait> = ts;
  406. let display = st.cast::<dyn Display>();
  407. assert!(display.is_err());
  408. }
  409. #[test]
  410. fn cast_ref_from_any() {
  411. let ts = TestStruct;
  412. let st: &dyn Any = &ts;
  413. let debug = st.cast::<dyn Debug>();
  414. assert!(debug.is_some());
  415. }
  416. #[test]
  417. fn cast_mut_from_any() {
  418. let mut ts = TestStruct;
  419. let st: &mut dyn Any = &mut ts;
  420. let debug = st.cast::<dyn Debug>();
  421. assert!(debug.is_some());
  422. }
  423. #[test]
  424. fn cast_box_from_any() {
  425. let ts = Box::new(TestStruct);
  426. let st: Box<dyn Any> = ts;
  427. let debug = st.cast::<dyn Debug>();
  428. assert!(debug.is_ok());
  429. }
  430. #[test]
  431. fn cast_rc_from_any() {
  432. let ts = Rc::new(TestStruct);
  433. let st: Rc<dyn Any> = ts;
  434. let debug = st.cast::<dyn Debug>();
  435. assert!(debug.is_ok());
  436. }
  437. #[test]
  438. fn cast_arc_from_any() {
  439. let ts = Arc::new(TestStruct);
  440. let st: Arc<dyn Any + Send + Sync> = ts;
  441. let debug = st.cast::<dyn Debug>();
  442. assert!(debug.is_ok());
  443. }
  444. #[test]
  445. fn impls_ref() {
  446. let ts = TestStruct;
  447. let st: &dyn SourceTrait = &ts;
  448. assert!(st.impls::<dyn Debug>());
  449. }
  450. #[test]
  451. fn impls_mut() {
  452. let mut ts = TestStruct;
  453. let st: &mut dyn SourceTrait = &mut ts;
  454. assert!((*st).impls::<dyn Debug>());
  455. }
  456. #[test]
  457. fn impls_box() {
  458. let ts = Box::new(TestStruct);
  459. let st: Box<dyn SourceTrait> = ts;
  460. assert!((*st).impls::<dyn Debug>());
  461. }
  462. #[test]
  463. fn impls_rc() {
  464. let ts = Rc::new(TestStruct);
  465. let st: Rc<dyn SourceTrait> = ts;
  466. assert!((*st).impls::<dyn Debug>());
  467. }
  468. #[test]
  469. fn impls_arc() {
  470. let ts = Arc::new(TestStruct);
  471. let st: Arc<dyn SourceTrait> = ts;
  472. assert!((*st).impls::<dyn Debug>());
  473. }
  474. #[test]
  475. fn impls_not_ref() {
  476. let ts = TestStruct;
  477. let st: &dyn SourceTrait = &ts;
  478. assert!(!st.impls::<dyn Display>());
  479. }
  480. #[test]
  481. fn impls_not_mut() {
  482. let mut ts = TestStruct;
  483. let st: &mut dyn Any = &mut ts;
  484. assert!(!(*st).impls::<dyn Display>());
  485. }
  486. #[test]
  487. fn impls_not_box() {
  488. let ts = Box::new(TestStruct);
  489. let st: Box<dyn SourceTrait> = ts;
  490. assert!(!st.impls::<dyn Display>());
  491. }
  492. #[test]
  493. fn impls_not_rc() {
  494. let ts = Rc::new(TestStruct);
  495. let st: Rc<dyn SourceTrait> = ts;
  496. assert!(!(*st).impls::<dyn Display>());
  497. }
  498. #[test]
  499. fn impls_not_arc() {
  500. let ts = Arc::new(TestStruct);
  501. let st: Arc<dyn SourceTrait> = ts;
  502. assert!(!(*st).impls::<dyn Display>());
  503. }
  504. }