fedimint_client_module/sm/
notifier.rs1use std::marker::PhantomData;
2use std::sync::Arc;
3
4use fedimint_core::core::{ModuleInstanceId, OperationId};
5use fedimint_core::util::BoxStream;
6use fedimint_core::util::broadcaststream::BroadcastStream;
7use fedimint_logging::LOG_CLIENT;
8use futures::StreamExt as _;
9use tracing::{debug, error, trace};
10
11use super::{DynState, State};
12use crate::module::FinalClientIface;
13use crate::sm::executor::{ActiveStateKey, InactiveStateKey};
14use crate::sm::{ActiveStateMeta, InactiveStateMeta};
15
16#[derive(Debug, Clone)]
19pub struct ModuleNotifier<S> {
20 broadcast: tokio::sync::broadcast::Sender<DynState>,
21 module_instance: ModuleInstanceId,
22 client: FinalClientIface,
23 _pd: PhantomData<S>,
26}
27
28impl<S> ModuleNotifier<S>
29where
30 S: State,
31{
32 pub fn new(
33 broadcast: tokio::sync::broadcast::Sender<DynState>,
34 module_instance: ModuleInstanceId,
35 client: FinalClientIface,
36 ) -> Self {
37 Self {
38 broadcast,
39 module_instance,
40 client,
41 _pd: PhantomData,
42 }
43 }
44
45 pub async fn subscribe(&self, operation_id: OperationId) -> BoxStream<'static, S> {
55 let to_typed_state = |state: DynState| {
56 state
57 .as_any()
58 .downcast_ref::<S>()
59 .expect("Tried to subscribe to wrong state type")
60 .clone()
61 };
62
63 let new_transitions = self.subscribe_all_operations();
66
67 let client_strong = self.client.get();
68 let db_states = {
69 let mut dbtx = client_strong.db().begin_transaction_nc().await;
70 let active_states = client_strong
71 .read_operation_active_states(operation_id, self.module_instance, &mut dbtx)
72 .await
73 .map(|(key, val): (ActiveStateKey, ActiveStateMeta)| {
74 (to_typed_state(key.state), val.created_at)
75 })
76 .collect::<Vec<(S, _)>>()
77 .await;
78
79 let inactive_states = self
80 .client
81 .get()
82 .read_operation_inactive_states(operation_id, self.module_instance, &mut dbtx)
83 .await
84 .map(|(key, val): (InactiveStateKey, InactiveStateMeta)| {
85 (to_typed_state(key.state), val.created_at)
86 })
87 .collect::<Vec<(S, _)>>()
88 .await;
89
90 let mut all_states_timed = active_states
93 .into_iter()
94 .chain(inactive_states)
95 .collect::<Vec<(S, _)>>();
96 all_states_timed.sort_by(|(_, t1), (_, t2)| t1.cmp(t2));
97 debug!(
98 operation_id = %operation_id.fmt_short(),
99 num = all_states_timed.len(),
100 "Returning state transitions from DB for notifier subscription",
101 );
102 all_states_timed
103 .into_iter()
104 .map(|(s, _)| s)
105 .collect::<Vec<S>>()
106 };
107
108 let new_transitions = new_transitions.filter_map({
109 let db_states: Arc<_> = Arc::new(db_states.clone());
110
111 move |state: S| {
112 let db_states = db_states.clone();
113 async move {
114 if state.operation_id() == operation_id {
115 trace!(operation_id = %operation_id.fmt_short(), ?state, "Received state transition notification");
116 if db_states.iter().any(|db_s| db_s == &state) {
124 debug!(operation_id = %operation_id.fmt_short(), ?state, "Ignoring duplicated event");
125 return None;
126 }
127 Some(state)
128 } else {
129 None
130 }
131 }
132 }
133 });
134 Box::pin(futures::stream::iter(db_states).chain(new_transitions))
135 }
136
137 pub fn subscribe_all_operations(&self) -> BoxStream<'static, S> {
139 let module_instance_id = self.module_instance;
140 Box::pin(
141 BroadcastStream::new(self.broadcast.subscribe())
142 .take_while(|res| {
143 let cont = if let Err(err) = res {
144 error!(target: LOG_CLIENT, ?err, "ModuleNotifier stream stopped on error");
145 false
146 } else {
147 true
148 };
149 std::future::ready(cont)
150 })
151 .filter_map(move |res| async move {
152 let s = res.expect("We filtered out errors above");
153 if s.module_instance_id() == module_instance_id {
154 Some(
155 s.as_any()
156 .downcast_ref::<S>()
157 .expect("Tried to subscribe to wrong state type")
158 .clone(),
159 )
160 } else {
161 None
162 }
163 }),
164 )
165 }
166}