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
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
use bytes::Bytes;
use futures::{
future::{self, Either},
prelude::*,
stream,
sync::mpsc,
Future,
};
use std::{
collections::HashMap,
net::{SocketAddr, ToSocketAddrs},
str::FromStr,
sync::{Arc, RwLock},
};
use tokio_executor;
use url::Url;
use error::NatsError;
use net::*;
use protocol::{commands::*, Op};
type NatsSink = stream::SplitSink<NatsConnection>;
type NatsStream = stream::SplitStream<NatsConnection>;
type NatsSubscriptionId = String;
#[derive(Clone, Debug)]
struct NatsClientSender {
tx: mpsc::UnboundedSender<Op>,
verbose: bool,
}
impl NatsClientSender {
pub fn new(sink: NatsSink) -> Self {
let (tx, rx) = mpsc::unbounded();
let rx = rx.map_err(|_| NatsError::InnerBrokenChain);
let work = sink.send_all(rx).map(|_| ()).map_err(|_| ());
tokio_executor::spawn(work);
NatsClientSender { tx, verbose: false }
}
#[allow(dead_code)]
pub fn set_verbose(&mut self, verbose: bool) {
self.verbose = verbose;
}
pub fn send(&self, op: Op) -> impl Future<Item = (), Error = NatsError> {
self.tx
.unbounded_send(op)
.map_err(|_| NatsError::InnerBrokenChain)
.into_future()
}
}
#[derive(Debug)]
struct NatsClientMultiplexer {
other_tx: Arc<mpsc::UnboundedSender<Op>>,
subs_tx: Arc<RwLock<HashMap<NatsSubscriptionId, mpsc::UnboundedSender<Message>>>>,
}
impl NatsClientMultiplexer {
pub fn new(stream: NatsStream) -> (Self, mpsc::UnboundedReceiver<Op>) {
let subs_tx: Arc<RwLock<HashMap<NatsSubscriptionId, mpsc::UnboundedSender<Message>>>> =
Arc::new(RwLock::new(HashMap::default()));
let (other_tx, other_rx) = mpsc::unbounded();
let other_tx = Arc::new(other_tx);
let stx_inner = Arc::clone(&subs_tx);
let otx_inner = Arc::clone(&other_tx);
let work_tx = stream
.for_each(move |op| {
match op {
Op::MSG(msg) => {
debug!(target: "nitox", "Found MSG from global Stream {:?}", msg);
if let Ok(stx) = stx_inner.read() {
if let Some(tx) = stx.get(&msg.sid) {
debug!(target: "nitox", "Found multiplexed receiver to send to {}", msg.sid);
let _ = tx.unbounded_send(msg);
}
} else {
error!(target: "nitox", "Internal lock for subs multiplexing is busy");
}
}
op => {
debug!(target: "nitox", "Sending OP to the rest of the queue: {:?}", op);
let _ = otx_inner.unbounded_send(op);
}
}
future::ok::<(), NatsError>(())
}).map(|_| ())
.map_err(|_| ());
tokio_executor::spawn(work_tx);
(NatsClientMultiplexer { subs_tx, other_tx }, other_rx)
}
pub fn for_sid(&self, sid: NatsSubscriptionId) -> impl Stream<Item = Message, Error = NatsError> {
let (tx, rx) = mpsc::unbounded();
if let Ok(mut subs) = self.subs_tx.write() {
subs.insert(sid, tx);
} else {
error!(target: "nitox", "Internal lock for subs multiplexing is poisoned in for_sid");
}
rx.map_err(|_| NatsError::InnerBrokenChain)
}
pub fn remove_sid(&self, sid: &str) {
if let Ok(mut subs) = self.subs_tx.write() {
subs.remove(sid);
} else {
error!(target: "nitox", "Internal lock for subs multiplexing is poisoned in remove_sid");
}
}
}
#[derive(Debug, Default, Clone, Builder)]
#[builder(setter(into))]
pub struct NatsClientOptions {
pub connect_command: ConnectCommand,
pub cluster_uri: String,
}
impl NatsClientOptions {
pub fn builder() -> NatsClientOptionsBuilder {
NatsClientOptionsBuilder::default()
}
}
pub struct NatsClient {
opts: NatsClientOptions,
other_rx: Box<dyn Stream<Item = Op, Error = NatsError> + Send>,
tx: NatsClientSender,
rx: Arc<NatsClientMultiplexer>,
}
impl ::std::fmt::Debug for NatsClient {
fn fmt(&self, f: &mut ::std::fmt::Formatter) -> ::std::fmt::Result {
f.debug_struct("NatsClient")
.field("opts", &self.opts)
.field("tx", &self.tx)
.field("rx", &self.rx)
.field("other_rx", &"Box<Stream>...")
.finish()
}
}
impl Stream for NatsClient {
type Error = NatsError;
type Item = Op;
fn poll(&mut self) -> Result<Async<Option<Self::Item>>, Self::Error> {
self.other_rx.poll().map_err(|_| NatsError::InnerBrokenChain)
}
}
impl NatsClient {
pub fn from_options(opts: NatsClientOptions) -> impl Future<Item = Self, Error = NatsError> {
let tls_required = opts.connect_command.tls_required;
let cluster_uri = opts.cluster_uri.clone();
let cluster_sa = if let Ok(sockaddr) = SocketAddr::from_str(&cluster_uri) {
Ok(sockaddr)
} else {
match cluster_uri.to_socket_addrs() {
Ok(mut ips_iter) => ips_iter.next().ok_or(NatsError::UriDNSResolveError(None)),
Err(e) => Err(NatsError::UriDNSResolveError(Some(e))),
}
};
future::result(cluster_sa)
.from_err()
.and_then(move |cluster_sa| {
if tls_required {
match Url::parse(&cluster_uri) {
Ok(url) => match url.host_str() {
Some(host) => future::ok(Either::B(connect_tls(host.to_string(), cluster_sa))),
None => future::err(NatsError::TlsHostMissingError),
},
Err(e) => future::err(e.into()),
}
} else {
future::ok(Either::A(connect(cluster_sa)))
}
}).and_then(|either| either)
.and_then(move |connection| {
let (sink, stream): (NatsSink, NatsStream) = connection.split();
let (rx, other_rx) = NatsClientMultiplexer::new(stream);
let tx = NatsClientSender::new(sink);
let (tmp_other_tx, tmp_other_rx) = mpsc::unbounded();
let tx_inner = tx.clone();
tokio_executor::spawn(
other_rx
.for_each(move |op| {
match op {
Op::PING => {
tokio_executor::spawn(tx_inner.send(Op::PONG).map_err(|_| ()));
}
o => {
let _ = tmp_other_tx.unbounded_send(o);
}
}
future::ok(())
}).into_future()
.map_err(|_| ()),
);
let client = NatsClient {
tx,
other_rx: Box::new(tmp_other_rx.map_err(|_| NatsError::InnerBrokenChain)),
rx: Arc::new(rx),
opts,
};
future::ok(client)
})
}
pub fn connect(self) -> impl Future<Item = Self, Error = NatsError> {
self.tx
.send(Op::CONNECT(self.opts.connect_command.clone()))
.into_future()
.and_then(move |_| future::ok(self))
}
pub fn send(self, op: Op) -> impl Future<Item = Self, Error = NatsError> {
self.tx.send(op).into_future().and_then(move |_| future::ok(self))
}
pub fn publish(&self, cmd: PubCommand) -> impl Future<Item = (), Error = NatsError> {
self.tx.send(Op::PUB(cmd)).into_future()
}
pub fn unsubscribe(&self, cmd: UnsubCommand) -> impl Future<Item = (), Error = NatsError> {
let inner_rx = self.rx.clone();
let sid = cmd.sid.clone();
self.tx.send(Op::UNSUB(cmd)).and_then(move |_| {
inner_rx.remove_sid(&sid);
future::ok(())
})
}
pub fn subscribe(&self, cmd: SubCommand) -> impl Future<Item = impl Stream<Item = Message, Error = NatsError>> {
let inner_rx = self.rx.clone();
let sid = cmd.sid.clone();
self.tx
.send(Op::SUB(cmd))
.and_then(move |_| future::ok(inner_rx.for_sid(sid)))
}
pub fn request(&self, subject: String, payload: Bytes) -> impl Future<Item = Message, Error = NatsError> {
let inbox = PubCommand::generate_reply_to();
let pub_cmd = PubCommand {
subject,
payload,
reply_to: Some(inbox.clone()),
};
let sub_cmd = SubCommand {
queue_group: None,
sid: SubCommand::generate_sid(),
subject: inbox,
};
let sid = sub_cmd.sid.clone();
let unsub_cmd = UnsubCommand {
sid: sub_cmd.sid.clone(),
max_msgs: Some(1),
};
let tx1 = self.tx.clone();
let tx2 = self.tx.clone();
let rx_arc = Arc::clone(&self.rx);
let stream = self
.rx
.for_sid(sid.clone())
.inspect(|msg| debug!(target: "nitox", "Request saw msg in multiplexed stream {:#?}", msg))
.take(1)
.into_future()
.map(|(surely_message, _)| surely_message.unwrap())
.map_err(|(e, _)| e)
.and_then(move |msg| {
rx_arc.remove_sid(&sid);
future::ok(msg)
});
self.tx
.send(Op::SUB(sub_cmd))
.and_then(move |_| tx1.send(Op::UNSUB(unsub_cmd)))
.and_then(move |_| tx2.send(Op::PUB(pub_cmd)))
.and_then(move |_| stream)
}
}