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
use super::unique_port::UniquePort;
use super::Error;
use super::{ConnInfo, Status};
use anyhow::{Context, Result};
use async_recursion::async_recursion;
use futures::stream::StreamExt;
use jsonrpc_http_server::jsonrpc_core::IoHandler;
use jsonrpc_http_server::ServerBuilder;
use std::collections::HashMap;
use std::sync::Arc;
use std::time::Duration;
use tokio::net::UnixStream;
use tokio::sync::mpsc::{UnboundedReceiver, UnboundedSender};
use tokio::sync::Mutex;
use tokio::time::sleep;
use tonic::transport::{Channel, Endpoint, Uri};
use tonic::Streaming;
use tower::service_fn;
type ServiceId = u32;
pub struct JsonRpcBroker {
unique_port: UniquePort,
next_id: Mutex<u32>,
bind_ip: String,
advertise_ip: String,
outgoing_conninfo_sender: UnboundedSender<Result<ConnInfo, Status>>,
host_services: Arc<Mutex<HashMap<ServiceId, Option<ConnInfo>>>>,
}
impl JsonRpcBroker {
pub fn new(
unique_port: UniquePort,
bind_ip: String,
advertise_ip: String,
outgoing_conninfo_sender: UnboundedSender<Result<ConnInfo, Status>>,
mut incoming_conninfo_stream_receiver_receiver: UnboundedReceiver<Streaming<ConnInfo>>,
) -> Self {
log::trace!("called");
let host_services = Arc::new(Mutex::new(HashMap::new()));
log::trace!("spawning a process to receive the stream of incoming ConnInfo's, and then the ConnInfo's themselves from host side...");
let host_services_for_closure = host_services.clone();
tokio::spawn(async move {
log::trace!(
"Inside spawn'd process. Waiting for the stream of ConnInfo's to be available...."
);
let incoming_conninfo_stream = match incoming_conninfo_stream_receiver_receiver
.recv()
.await
{
Some(incoming_conninfo_stream) => incoming_conninfo_stream,
None => {
log::error!("inside spawn'd process to wait for a Stream of ConnInfo's, the stream was None, which is unexpected, since it is expected instead to block indefinitely until such a stream is available.");
return;
}
};
Self::blocking_incoming_conn(incoming_conninfo_stream, host_services_for_closure).await
});
Self {
next_id: Mutex::new(1),
unique_port,
bind_ip,
advertise_ip,
outgoing_conninfo_sender,
host_services,
}
}
pub async fn new_server(&mut self, handler: IoHandler) -> Result<ServiceId, Error> {
log::trace!("called");
let service_id = self.next_service_id().await;
log::debug!("newServer - created next service_id: {}", service_id);
let service_port = match self.unique_port.get_unused_port() {
Some(p) => p,
None => return Err(Error::NoTCPPortAvailable),
};
let bind_addrstr = format!("{}:{}", self.bind_ip, service_port);
log::trace!(
"newServer({}) - created bind address string: {}",
service_id,
bind_addrstr
);
let bind_addr = &bind_addrstr.parse()?;
log::trace!("newServer({}) - about to create server...", service_id);
let server = ServerBuilder::new(handler)
.start_http(bind_addr)
.with_context(|| {
format!(
"Failed to build a JSON-RPC 2.0 server bound to address {}",
bind_addr
)
})?;
tokio::spawn(async move {
log::trace!(
"newServer({}) - spawned into separate task to wait for this server to complete...",
service_id
);
server.wait();
log::info!(
"newServer({}) - server.wait() exited. Server has stopped",
service_id
);
});
let advertise_addrstr = format!("{}:{}", self.advertise_ip, service_port);
log::trace!(
"newServer({}) - created advertise address string: {}",
service_id,
advertise_addrstr
);
log::trace!(
"newServer({}) - Creating ConnInfo for this service to send to the client-side broker.",
service_id
);
let conn_info = ConnInfo {
network: "tcp".to_string(),
address: advertise_addrstr,
service_id,
};
log::trace!(
"newServer({}) - Created ConnInfo for this service: {:?}",
service_id,
conn_info
);
self.outgoing_conninfo_sender
.send(Ok(conn_info.clone()))
.with_context(|| {
format!(
"Failed to send ConnInfo {:?} to the client/host/consumer of this plugin.",
conn_info
)
})?;
log::trace!(
"newServer({}) - Send ConnInfo to client-side broker",
service_id
);
log::trace!("newServer({}) - returning service_id.", service_id);
Ok(service_id)
}
pub async fn next_service_id(&mut self) -> u32 {
let mut next_id = self.next_id.lock().await;
let service_id = *next_id;
*next_id += 1;
service_id
}
pub fn get_unused_port(&mut self) -> Option<u16> {
self.unique_port.get_unused_port()
}
pub async fn dial_to_host_service(&mut self, service_id: ServiceId) -> Result<Channel, Error> {
let conn_info = self.get_incoming_conninfo_retry(service_id, 5).await?;
let channel = match conn_info.network.as_str() {
"tcp" => Endpoint::try_from(conn_info.address)?.connect().await?,
"unix" => {
Endpoint::try_from("http://[::]:50051")?
.connect_with_connector(service_fn(move |_: Uri| {
UnixStream::connect(conn_info.address.clone())
}))
.await?
}
s => return Err(Error::NetworkTypeUnknown(s.to_string())),
};
Ok(channel)
}
#[async_recursion]
async fn get_incoming_conninfo_retry(
&mut self,
service_id: ServiceId,
retry_count: usize,
) -> Result<ConnInfo, Error> {
match self.get_incoming_conninfo(service_id).await {
None => match retry_count {
0 => Err(Error::ServiceIdDoesNotExist(service_id)),
_c => {
sleep(Duration::from_secs(1)).await;
self.get_incoming_conninfo_retry(service_id, retry_count - 1)
.await
}
},
Some(conn_info) => Ok(conn_info),
}
}
async fn get_incoming_conninfo(&mut self, service_id: ServiceId) -> Option<ConnInfo> {
let mut hs = self.host_services.lock().await;
match hs.remove(&service_id) {
None | Some(None) => None,
Some(Some(conn_info)) => {
hs.insert(service_id, None);
Some(conn_info)
}
}
}
async fn blocking_incoming_conn(
mut stream: Streaming<ConnInfo>,
host_services: Arc<Mutex<HashMap<ServiceId, Option<ConnInfo>>>>,
) {
log::info!("blocking_incoming_conn - perpetually listening for incoming ConnInfo's",);
while let Some(conn_info_result) = stream.next().await {
match conn_info_result {
Err(e) => {
log::error!(
"blocking_incoming_conn - an error occurred reading from the stream: {:?}",
e
);
break;
}
Ok(conn_info) => {
log::info!("Received conn_info: {:?}", conn_info);
let mut hs = host_services.lock().await;
log::trace!("Write-locked the host services to add the new ConnInfo",);
log::trace!(
"Only creating a new entry if one doesn't exist for this ServiceId: {}",
conn_info.service_id
);
hs.entry(conn_info.service_id)
.or_insert_with(|| Some(conn_info));
}
}
}
log::info!("blocking_incoming_conn - exiting due to stream returning None or an error",);
}
}