1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
use std::fmt::{self, Debug};
use std::marker::PhantomData;
use std::pin::Pin;
use std::task::{Context, Poll};
use crate::broker::{
channel::{response_stream_channel, ControlSender, ResponseStreamReceiver},
model::{BrokerControl, SharedBrokerState},
};
use crate::error::Result;
use crate::model::SubNoteId;
use futures::{
executor,
sink::SinkExt,
stream::{FusedStream, Stream, StreamExt},
};
use log::{info, warn};
use misskey_core::streaming::SubNoteEvent;
use serde_json::Value;
#[must_use = "streams do nothing unless polled"]
pub struct SubNote<E> {
id: SubNoteId,
broker_tx: ControlSender,
response_rx: ResponseStreamReceiver<Value>,
is_terminated: bool,
_marker: PhantomData<fn() -> E>,
}
impl<E> Debug for SubNote<E> {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.debug_struct("SubNote")
.field("id", &self.id)
.field("is_terminated", &self.is_terminated)
.finish()
}
}
impl<E> SubNote<E> {
pub(crate) async fn subscribe(
id: SubNoteId,
mut broker_tx: ControlSender,
state: SharedBrokerState,
) -> Result<SubNote<E>> {
let (response_tx, response_rx) = response_stream_channel(state);
broker_tx
.send(BrokerControl::SubNote {
id: id.clone(),
sender: response_tx,
})
.await?;
Ok(SubNote {
id,
broker_tx,
response_rx,
is_terminated: false,
_marker: PhantomData,
})
}
pub async fn unsubscribe(&mut self) -> Result<()> {
if self.is_terminated {
info!("unsubscribing already terminated SubNote, skipping");
return Ok(());
}
self.broker_tx
.send(BrokerControl::UnsubNote {
id: self.id.clone(),
})
.await?;
self.is_terminated = true;
Ok(())
}
}
impl<E> Stream for SubNote<E>
where
E: SubNoteEvent,
{
type Item = Result<E>;
fn poll_next(mut self: Pin<&mut Self>, cx: &mut Context<'_>) -> Poll<Option<Result<E>>> {
if self.is_terminated {
return Poll::Ready(None);
}
match futures::ready!(self.response_rx.poll_next_unpin(cx)?) {
None => Poll::Ready(None),
Some(v) => Poll::Ready(Some(Ok(serde_json::from_value(v)?))),
}
}
}
impl<E> FusedStream for SubNote<E>
where
E: SubNoteEvent,
{
fn is_terminated(&self) -> bool {
self.is_terminated
}
}
impl<E> Drop for SubNote<E> {
fn drop(&mut self) {
if self.is_terminated {
return;
}
executor::block_on(async {
if let Err(e) = self.unsubscribe().await {
warn!(
"SubNote::unsubscribe failed in Drop::drop (ignored): {:?}",
e
);
}
});
}
}