msg.rs 5.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207
  1. use std::{
  2. cell::RefCell,
  3. collections::HashMap,
  4. hash::{Hash, Hasher},
  5. rc::Rc,
  6. };
  7. use serde::{de::DeserializeOwned, Deserialize, Serialize};
  8. use crate::prelude::*;
  9. const MESSAGE_MAGIC: u64 = 0x1234123412341234;
  10. /// Metadata about a message type.
  11. pub trait MessageParams: 'static {
  12. const NAME: &'static str;
  13. const ENCRYPTED: bool = true;
  14. const SIGNED: bool = false;
  15. /// Helper wrapper around the [`Message::build`] function; you don't need to implement this,
  16. /// it's only here for convenience at message construction sites.
  17. fn into_message(self) -> Message
  18. where
  19. Self: Serialize,
  20. Self: Sized,
  21. {
  22. Message::build(self)
  23. }
  24. }
  25. #[derive(Clone, Copy, Debug)]
  26. pub(crate) struct SavedMessageParams {
  27. #[allow(unused)]
  28. pub(crate) name: &'static str,
  29. pub(crate) encrypted: bool,
  30. pub(crate) signed: bool,
  31. }
  32. impl SavedMessageParams {
  33. fn save<M: MessageParams>() -> Self {
  34. Self {
  35. name: M::NAME,
  36. encrypted: M::ENCRYPTED,
  37. signed: M::SIGNED,
  38. }
  39. }
  40. }
  41. fn message_type<M: MessageParams>() -> u16 {
  42. let mut hasher = std::collections::hash_map::DefaultHasher::new();
  43. M::NAME.hash(&mut hasher);
  44. (hasher.finish() & 0xffff) as u16
  45. }
  46. #[derive(Serialize, Deserialize, Debug)]
  47. pub struct MessageContent {
  48. pub(crate) ty: u16,
  49. pub(crate) data: Vec<u8>,
  50. }
  51. #[derive(Serialize, Deserialize, Debug)]
  52. pub struct Message {
  53. magic: u64,
  54. pub(crate) crypto_header: fleck_core::crypto::PacketHeader,
  55. pub(crate) content: MessageContent,
  56. #[serde(skip_serializing)]
  57. #[serde(skip_deserializing)]
  58. pub(crate) saved_params: Option<SavedMessageParams>,
  59. #[serde(skip_serializing)]
  60. #[serde(skip_deserializing)]
  61. pub(crate) peer: Option<super::peer::Peer>,
  62. #[serde(skip_serializing)]
  63. #[serde(skip_deserializing)]
  64. pub(crate) node: Option<Rc<fleck_core::Node>>,
  65. }
  66. #[derive(Default)]
  67. pub struct Metadata {
  68. pub peer: Option<fleck_core::peer::Peer>,
  69. pub node: Option<Rc<fleck_core::node::Node>>,
  70. }
  71. impl Message {
  72. pub fn build<M: 'static + MessageParams + Serialize>(from: M) -> Self {
  73. Self {
  74. magic: MESSAGE_MAGIC,
  75. crypto_header: Default::default(),
  76. content: MessageContent {
  77. ty: message_type::<M>(),
  78. data: bincode::serialize(&from).expect("couldn't serialize message"),
  79. },
  80. saved_params: Some(SavedMessageParams::save::<M>()),
  81. peer: None,
  82. node: None,
  83. }
  84. }
  85. fn metadata(&self) -> Metadata {
  86. Metadata {
  87. peer: self.peer.clone(),
  88. node: None,
  89. }
  90. }
  91. pub fn with_peer(mut self, peer: fleck_core::peer::Peer) -> Self {
  92. self.peer = Some(peer);
  93. self
  94. }
  95. pub fn with_node(mut self, node: Rc<fleck_core::Node>) -> Self {
  96. if self.peer.is_none() {
  97. self.peer = node.peer();
  98. }
  99. self.node = Some(node);
  100. self
  101. }
  102. }
  103. impl<T: 'static + Serialize + MessageParams> From<T> for Message {
  104. fn from(m: T) -> Self {
  105. Self::build(m)
  106. }
  107. }
  108. #[doc(hidden)]
  109. pub struct MessageChannelTag;
  110. /// Probably the most-commonly used family of channels in `fleck_core`: incoming message
  111. /// distribution!
  112. ///
  113. /// A minimal example of a service that listens for a packet on this channel might be:
  114. ///
  115. /// ```rust
  116. /// # use fleck::prelude::*;
  117. /// # use std::rc::Rc;
  118. /// # #[derive(Default, Debug, serde::Serialize, serde::Deserialize)]
  119. /// # struct ExampleMessageType {}
  120. /// #[derive(Default)]
  121. /// struct ExampleService;
  122. /// impl ExampleService {
  123. /// fn handle(&self, msg: (fleck_core::msg::Metadata, ExampleMessageType)) {
  124. /// // TODO: process the message
  125. /// }
  126. /// }
  127. /// impl DefaultService for ExampleService {
  128. /// fn setup(self: &Rc<Self>, api: std::rc::Rc<fleck::API>) {
  129. /// api.channel::<fleck_core::MessageChannel<ExampleMessageType>>().sub_eat(self, Self::handle);
  130. /// }
  131. /// }
  132. ///
  133. /// ```
  134. pub type MessageChannel<M> = (MessageChannelTag, (Metadata, M));
  135. type Deserializer = dyn Fn(&Message);
  136. pub struct MessageService {
  137. api: Rc<crate::API>,
  138. deser: RefCell<HashMap<u16, Box<Deserializer>>>,
  139. }
  140. impl Service for MessageService {
  141. fn new(api: Rc<crate::API>) -> Self {
  142. Self {
  143. api,
  144. deser: Default::default(),
  145. }
  146. }
  147. fn setup(self: &Rc<Self>) {
  148. self.api
  149. .channel::<fleck_core::ReceivePacketChannel>()
  150. .sub_opt(fleck_core::ReceiveOrder::Parse, self, Self::parse);
  151. }
  152. }
  153. impl MessageService {
  154. pub fn add_message_type<MT: std::fmt::Debug + MessageParams + Serialize + DeserializeOwned>(
  155. &self,
  156. ) {
  157. let derived_typeid = message_type::<MT>();
  158. let api = self.api.clone();
  159. self.deser.borrow_mut().insert(
  160. derived_typeid,
  161. Box::new(
  162. move |message| match bincode::deserialize::<MT>(&message.content.data) {
  163. Ok(content) => {
  164. log::trace!("packet deserialized: {:?}", content);
  165. api.queue::<MessageChannel<MT>>((message.metadata(), content));
  166. },
  167. Err(_) => {
  168. log::info!("Packet failed deserialization step!");
  169. },
  170. },
  171. ),
  172. );
  173. self.api.create_channel::<MessageChannel<MT>>();
  174. }
  175. fn parse(&self, msg: Message) -> Option<Message> {
  176. // try deserializing
  177. (self.deser.borrow().get(&msg.content.ty)?)(&msg);
  178. None
  179. }
  180. }