lib.rs 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588
  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. #[allow(static_mut_refs)]
  112. pub fn caster_map() -> &'static HashMap<(TypeId, TypeId), BoxedCaster, BuildFastHasher> {
  113. return unsafe {
  114. CASTER_MAP.as_ref().unwrap_or_else(|| {
  115. panic!("intertrait_caster_map() must be called after CASTER_MAP is initialized")
  116. })
  117. };
  118. }
  119. /// Initializes the global [`CASTER_MAP`] with [`CASTERS`].
  120. ///
  121. /// no_std环境下,需要手动调用此函数初始化CASTER_MAP
  122. #[cfg(target_os = "none")]
  123. pub fn init_caster_map() {
  124. use core::sync::atomic::AtomicBool;
  125. let pd = AtomicBool::new(false);
  126. let r = pd.compare_exchange(
  127. false,
  128. true,
  129. core::sync::atomic::Ordering::SeqCst,
  130. core::sync::atomic::Ordering::SeqCst,
  131. );
  132. if r.is_err() {
  133. panic!("init_caster_map() must be called only once");
  134. }
  135. let hashmap = CASTERS
  136. .iter()
  137. .map(|f| {
  138. let (type_id, caster) = f();
  139. ((type_id, (*caster).type_id()), caster)
  140. })
  141. .collect();
  142. unsafe { CASTER_MAP = Some(hashmap) };
  143. }
  144. #[cfg(not(target_os = "none"))]
  145. pub fn init_caster_map() {}
  146. fn cast_arc_panic<T: ?Sized + 'static>(_: Arc<dyn Any + Sync + Send>) -> Arc<T> {
  147. panic!("Prepend [sync] to the list of target traits for Sync + Send types")
  148. }
  149. /// A `Caster` knows how to cast a reference to or `Box` of a trait object for `Any`
  150. /// to a trait object of trait `T`. Each `Caster` instance is specific to a concrete type.
  151. /// That is, it knows how to cast to single specific trait implemented by single specific type.
  152. ///
  153. /// An implementation of a trait for a concrete type doesn't need to manually provide
  154. /// a `Caster`. Instead attach `#[cast_to]` to the `impl` block.
  155. #[doc(hidden)]
  156. pub struct Caster<T: ?Sized + 'static> {
  157. /// Casts an immutable reference to a trait object for `Any` to a reference
  158. /// to a trait object for trait `T`.
  159. pub cast_ref: fn(from: &dyn Any) -> &T,
  160. /// Casts a mutable reference to a trait object for `Any` to a mutable reference
  161. /// to a trait object for trait `T`.
  162. pub cast_mut: fn(from: &mut dyn Any) -> &mut T,
  163. /// Casts a `Box` holding a trait object for `Any` to another `Box` holding a trait object
  164. /// for trait `T`.
  165. pub cast_box: fn(from: Box<dyn Any>) -> Box<T>,
  166. /// Casts an `Rc` holding a trait object for `Any` to another `Rc` holding a trait object
  167. /// for trait `T`.
  168. pub cast_rc: fn(from: Rc<dyn Any>) -> Rc<T>,
  169. /// Casts an `Arc` holding a trait object for `Any + Sync + Send + 'static`
  170. /// to another `Arc` holding a trait object for trait `T`.
  171. pub cast_arc: fn(from: Arc<dyn Any + Sync + Send + 'static>) -> Arc<T>,
  172. }
  173. impl<T: ?Sized + 'static> Caster<T> {
  174. pub fn new(
  175. cast_ref: fn(from: &dyn Any) -> &T,
  176. cast_mut: fn(from: &mut dyn Any) -> &mut T,
  177. cast_box: fn(from: Box<dyn Any>) -> Box<T>,
  178. cast_rc: fn(from: Rc<dyn Any>) -> Rc<T>,
  179. ) -> Caster<T> {
  180. Caster::<T> {
  181. cast_ref,
  182. cast_mut,
  183. cast_box,
  184. cast_rc,
  185. cast_arc: cast_arc_panic,
  186. }
  187. }
  188. pub fn new_sync(
  189. cast_ref: fn(from: &dyn Any) -> &T,
  190. cast_mut: fn(from: &mut dyn Any) -> &mut T,
  191. cast_box: fn(from: Box<dyn Any>) -> Box<T>,
  192. cast_rc: fn(from: Rc<dyn Any>) -> Rc<T>,
  193. cast_arc: fn(from: Arc<dyn Any + Sync + Send>) -> Arc<T>,
  194. ) -> Caster<T> {
  195. Caster::<T> {
  196. cast_ref,
  197. cast_mut,
  198. cast_box,
  199. cast_rc,
  200. cast_arc,
  201. }
  202. }
  203. }
  204. /// Returns a `Caster<S, T>` from a concrete type `S` to a trait `T` implemented by it.
  205. ///
  206. /// ## 参数
  207. ///
  208. /// - type_id: 源类型的type_id
  209. ///
  210. /// T: 目标trait
  211. fn caster<T: ?Sized + 'static>(type_id: TypeId) -> Option<&'static Caster<T>> {
  212. #[cfg(not(target_os = "none"))]
  213. {
  214. CASTER_MAP
  215. .get(&(type_id, TypeId::of::<Caster<T>>()))
  216. .and_then(|caster| caster.downcast_ref::<Caster<T>>())
  217. }
  218. #[cfg(target_os = "none")]
  219. {
  220. caster_map()
  221. .get(&(type_id, TypeId::of::<Caster<T>>()))
  222. .and_then(|caster| caster.downcast_ref::<Caster<T>>())
  223. }
  224. }
  225. /// `CastFrom` must be extended by a trait that wants to allow for casting into another trait.
  226. ///
  227. /// It is used for obtaining a trait object for [`Any`] from a trait object for its sub-trait,
  228. /// and blanket implemented for all `Sized + Any + 'static` types.
  229. ///
  230. /// # Examples
  231. /// ```ignore
  232. /// trait Source: CastFrom {
  233. /// ...
  234. /// }
  235. /// ```
  236. pub trait CastFrom: Any + 'static {
  237. /// Returns a immutable reference to `Any`, which is backed by the type implementing this trait.
  238. fn ref_any(&self) -> &dyn Any;
  239. /// Returns a mutable reference to `Any`, which is backed by the type implementing this trait.
  240. fn mut_any(&mut self) -> &mut dyn Any;
  241. /// Returns a `Box` of `Any`, which is backed by the type implementing this trait.
  242. fn box_any(self: Box<Self>) -> Box<dyn Any>;
  243. /// Returns an `Rc` of `Any`, which is backed by the type implementing this trait.
  244. fn rc_any(self: Rc<Self>) -> Rc<dyn Any>;
  245. }
  246. /// `CastFromSync` must be extended by a trait that is `Any + Sync + Send + 'static`
  247. /// and wants to allow for casting into another trait behind references and smart pointers
  248. /// especially including `Arc`.
  249. ///
  250. /// It is used for obtaining a trait object for [`Any + Sync + Send + 'static`] from an object
  251. /// for its sub-trait, and blanket implemented for all `Sized + Sync + Send + 'static` types.
  252. ///
  253. /// # Examples
  254. /// ```ignore
  255. /// trait Source: CastFromSync {
  256. /// ...
  257. /// }
  258. /// ```
  259. pub trait CastFromSync: CastFrom + Sync + Send + 'static {
  260. fn arc_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send + 'static>;
  261. }
  262. impl<T: Sized + Any + 'static> CastFrom for T {
  263. fn ref_any(&self) -> &dyn Any {
  264. self
  265. }
  266. fn mut_any(&mut self) -> &mut dyn Any {
  267. self
  268. }
  269. fn box_any(self: Box<Self>) -> Box<dyn Any> {
  270. self
  271. }
  272. fn rc_any(self: Rc<Self>) -> Rc<dyn Any> {
  273. self
  274. }
  275. }
  276. impl CastFrom for dyn Any + 'static {
  277. fn ref_any(&self) -> &dyn Any {
  278. self
  279. }
  280. fn mut_any(&mut self) -> &mut dyn Any {
  281. self
  282. }
  283. fn box_any(self: Box<Self>) -> Box<dyn Any> {
  284. self
  285. }
  286. fn rc_any(self: Rc<Self>) -> Rc<dyn Any> {
  287. self
  288. }
  289. }
  290. impl<T: Sized + Sync + Send + 'static> CastFromSync for T {
  291. fn arc_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send + 'static> {
  292. self
  293. }
  294. }
  295. impl CastFrom for dyn Any + Sync + Send + 'static {
  296. fn ref_any(&self) -> &dyn Any {
  297. self
  298. }
  299. fn mut_any(&mut self) -> &mut dyn Any {
  300. self
  301. }
  302. fn box_any(self: Box<Self>) -> Box<dyn Any> {
  303. self
  304. }
  305. fn rc_any(self: Rc<Self>) -> Rc<dyn Any> {
  306. self
  307. }
  308. }
  309. impl CastFromSync for dyn Any + Sync + Send + 'static {
  310. fn arc_any(self: Arc<Self>) -> Arc<dyn Any + Sync + Send + 'static> {
  311. self
  312. }
  313. }
  314. #[cfg(test)]
  315. mod tests {
  316. extern crate std;
  317. use std::any::{Any, TypeId};
  318. use std::fmt::{Debug, Display};
  319. use linkme::distributed_slice;
  320. use crate::{BoxedCaster, CastFromSync};
  321. use super::cast::*;
  322. use super::*;
  323. #[distributed_slice(super::CASTERS)]
  324. static TEST_CASTER: fn() -> (TypeId, BoxedCaster) = create_test_caster;
  325. #[derive(Debug)]
  326. struct TestStruct;
  327. trait SourceTrait: CastFromSync {}
  328. impl SourceTrait for TestStruct {}
  329. fn create_test_caster() -> (TypeId, BoxedCaster) {
  330. let type_id = TypeId::of::<TestStruct>();
  331. let caster = Box::new(Caster::<dyn Debug> {
  332. cast_ref: |from| from.downcast_ref::<TestStruct>().unwrap(),
  333. cast_mut: |from| from.downcast_mut::<TestStruct>().unwrap(),
  334. cast_box: |from| from.downcast::<TestStruct>().unwrap(),
  335. cast_rc: |from| from.downcast::<TestStruct>().unwrap(),
  336. cast_arc: |from| from.downcast::<TestStruct>().unwrap(),
  337. });
  338. (type_id, caster)
  339. }
  340. #[test]
  341. fn cast_ref() {
  342. let ts = TestStruct;
  343. let st: &dyn SourceTrait = &ts;
  344. let debug = st.cast::<dyn Debug>();
  345. assert!(debug.is_some());
  346. }
  347. #[test]
  348. fn cast_mut() {
  349. let mut ts = TestStruct;
  350. let st: &mut dyn SourceTrait = &mut ts;
  351. let debug = st.cast::<dyn Debug>();
  352. assert!(debug.is_some());
  353. }
  354. #[test]
  355. fn cast_box() {
  356. let ts = Box::new(TestStruct);
  357. let st: Box<dyn SourceTrait> = ts;
  358. let debug = st.cast::<dyn Debug>();
  359. assert!(debug.is_ok());
  360. }
  361. #[test]
  362. fn cast_rc() {
  363. let ts = Rc::new(TestStruct);
  364. let st: Rc<dyn SourceTrait> = ts;
  365. let debug = st.cast::<dyn Debug>();
  366. assert!(debug.is_ok());
  367. }
  368. #[test]
  369. fn cast_arc() {
  370. let ts = Arc::new(TestStruct);
  371. let st: Arc<dyn SourceTrait> = ts;
  372. let debug = st.cast::<dyn Debug>();
  373. assert!(debug.is_ok());
  374. }
  375. #[test]
  376. fn cast_ref_wrong() {
  377. let ts = TestStruct;
  378. let st: &dyn SourceTrait = &ts;
  379. let display = st.cast::<dyn Display>();
  380. assert!(display.is_none());
  381. }
  382. #[test]
  383. fn cast_mut_wrong() {
  384. let mut ts = TestStruct;
  385. let st: &mut dyn SourceTrait = &mut ts;
  386. let display = st.cast::<dyn Display>();
  387. assert!(display.is_none());
  388. }
  389. #[test]
  390. fn cast_box_wrong() {
  391. let ts = Box::new(TestStruct);
  392. let st: Box<dyn SourceTrait> = ts;
  393. let display = st.cast::<dyn Display>();
  394. assert!(display.is_err());
  395. }
  396. #[test]
  397. fn cast_rc_wrong() {
  398. let ts = Rc::new(TestStruct);
  399. let st: Rc<dyn SourceTrait> = ts;
  400. let display = st.cast::<dyn Display>();
  401. assert!(display.is_err());
  402. }
  403. #[test]
  404. fn cast_arc_wrong() {
  405. let ts = Arc::new(TestStruct);
  406. let st: Arc<dyn SourceTrait> = ts;
  407. let display = st.cast::<dyn Display>();
  408. assert!(display.is_err());
  409. }
  410. #[test]
  411. fn cast_ref_from_any() {
  412. let ts = TestStruct;
  413. let st: &dyn Any = &ts;
  414. let debug = st.cast::<dyn Debug>();
  415. assert!(debug.is_some());
  416. }
  417. #[test]
  418. fn cast_mut_from_any() {
  419. let mut ts = TestStruct;
  420. let st: &mut dyn Any = &mut ts;
  421. let debug = st.cast::<dyn Debug>();
  422. assert!(debug.is_some());
  423. }
  424. #[test]
  425. fn cast_box_from_any() {
  426. let ts = Box::new(TestStruct);
  427. let st: Box<dyn Any> = ts;
  428. let debug = st.cast::<dyn Debug>();
  429. assert!(debug.is_ok());
  430. }
  431. #[test]
  432. fn cast_rc_from_any() {
  433. let ts = Rc::new(TestStruct);
  434. let st: Rc<dyn Any> = ts;
  435. let debug = st.cast::<dyn Debug>();
  436. assert!(debug.is_ok());
  437. }
  438. #[test]
  439. fn cast_arc_from_any() {
  440. let ts = Arc::new(TestStruct);
  441. let st: Arc<dyn Any + Send + Sync> = ts;
  442. let debug = st.cast::<dyn Debug>();
  443. assert!(debug.is_ok());
  444. }
  445. #[test]
  446. fn impls_ref() {
  447. let ts = TestStruct;
  448. let st: &dyn SourceTrait = &ts;
  449. assert!(st.impls::<dyn Debug>());
  450. }
  451. #[test]
  452. fn impls_mut() {
  453. let mut ts = TestStruct;
  454. let st: &mut dyn SourceTrait = &mut ts;
  455. assert!((*st).impls::<dyn Debug>());
  456. }
  457. #[test]
  458. fn impls_box() {
  459. let ts = Box::new(TestStruct);
  460. let st: Box<dyn SourceTrait> = ts;
  461. assert!((*st).impls::<dyn Debug>());
  462. }
  463. #[test]
  464. fn impls_rc() {
  465. let ts = Rc::new(TestStruct);
  466. let st: Rc<dyn SourceTrait> = ts;
  467. assert!((*st).impls::<dyn Debug>());
  468. }
  469. #[test]
  470. fn impls_arc() {
  471. let ts = Arc::new(TestStruct);
  472. let st: Arc<dyn SourceTrait> = ts;
  473. assert!((*st).impls::<dyn Debug>());
  474. }
  475. #[test]
  476. fn impls_not_ref() {
  477. let ts = TestStruct;
  478. let st: &dyn SourceTrait = &ts;
  479. assert!(!st.impls::<dyn Display>());
  480. }
  481. #[test]
  482. fn impls_not_mut() {
  483. let mut ts = TestStruct;
  484. let st: &mut dyn Any = &mut ts;
  485. assert!(!(*st).impls::<dyn Display>());
  486. }
  487. #[test]
  488. fn impls_not_box() {
  489. let ts = Box::new(TestStruct);
  490. let st: Box<dyn SourceTrait> = ts;
  491. assert!(!st.impls::<dyn Display>());
  492. }
  493. #[test]
  494. fn impls_not_rc() {
  495. let ts = Rc::new(TestStruct);
  496. let st: Rc<dyn SourceTrait> = ts;
  497. assert!(!(*st).impls::<dyn Display>());
  498. }
  499. #[test]
  500. fn impls_not_arc() {
  501. let ts = Arc::new(TestStruct);
  502. let st: Arc<dyn SourceTrait> = ts;
  503. assert!(!(*st).impls::<dyn Display>());
  504. }
  505. }