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
use super::error::{ErrorKind, Result, ResultExt};
use super::header::{decode, encode};
use super::{ServicePair, ServiceResult};
use crate::rosmsg::RosMsg;
use byteorder::{LittleEndian, ReadBytesExt};
use error_chain::bail;
use log::error;
use net2::TcpStreamExt;
use std;
use std::collections::HashMap;
use std::io;
use std::io::{Read, Write};
use std::net::TcpStream;
use std::sync::Arc;
use std::thread;
pub struct ClientResponse<T> {
handle: thread::JoinHandle<Result<ServiceResult<T>>>,
}
impl<T> ClientResponse<T> {
pub fn read(self) -> Result<ServiceResult<T>> {
self.handle
.join()
.unwrap_or_else(|_| Err(ErrorKind::ServiceResponseUnknown.into()))
}
}
impl<T: Send + 'static> ClientResponse<T> {
pub fn callback<F>(self, callback: F)
where
F: FnOnce(Result<ServiceResult<T>>) + Send + 'static,
{
thread::spawn(move || callback(self.read()));
}
}
struct ClientInfo {
caller_id: String,
uri: String,
service: String,
}
#[derive(Clone)]
pub struct Client<T: ServicePair> {
info: std::sync::Arc<ClientInfo>,
phantom: std::marker::PhantomData<T>,
}
fn connect_to_tcp_with_multiple_attempts(uri: &str, attempts: usize) -> io::Result<TcpStream> {
let mut err = io::Error::new(
io::ErrorKind::Other,
"Tried to connect via TCP with 0 connection attempts",
);
let mut repeat_delay_ms = 1;
for _ in 0..attempts {
let stream_result = TcpStream::connect(uri).and_then(|stream| {
stream.set_linger(None)?;
Ok(stream)
});
match stream_result {
Ok(stream) => {
return Ok(stream);
}
Err(error) => err = error,
}
std::thread::sleep(std::time::Duration::from_millis(repeat_delay_ms));
repeat_delay_ms *= 2;
}
Err(err)
}
impl<T: ServicePair> Client<T> {
pub fn new(caller_id: &str, uri: &str, service: &str) -> Client<T> {
Client {
info: std::sync::Arc::new(ClientInfo {
caller_id: String::from(caller_id),
uri: String::from(uri),
service: String::from(service),
}),
phantom: std::marker::PhantomData,
}
}
pub fn req(&self, args: &T::Request) -> Result<ServiceResult<T::Response>> {
Self::request_body(
args,
&self.info.uri,
&self.info.caller_id,
&self.info.service,
)
}
pub fn req_async(&self, args: T::Request) -> ClientResponse<T::Response> {
let info = Arc::clone(&self.info);
ClientResponse {
handle: thread::spawn(move || {
Self::request_body(&args, &info.uri, &info.caller_id, &info.service)
}),
}
}
fn request_body(
args: &T::Request,
uri: &str,
caller_id: &str,
service: &str,
) -> Result<ServiceResult<T::Response>> {
let trimmed_uri = uri.trim_start_matches("rosrpc://");
let mut stream = connect_to_tcp_with_multiple_attempts(trimmed_uri, 15)
.chain_err(|| ErrorKind::ServiceConnectionFail(service.into(), uri.into()))?;
exchange_headers::<T, _>(&mut stream, caller_id, service)?;
let mut writer = io::Cursor::new(Vec::with_capacity(128));
writer.set_position(4);
args.encode(&mut writer)?;
let message_length = (writer.position() - 4) as u32;
writer.set_position(0);
message_length.encode(&mut writer)?;
stream.write_all(&writer.into_inner())?;
let success = read_verification_byte(&mut stream)
.chain_err(|| ErrorKind::ServiceResponseInterruption)?;
Ok(if success {
let _length = stream.read_u32::<LittleEndian>();
let data = RosMsg::decode(&mut stream)?;
let mut dump = vec![];
if let Err(err) = stream.read_to_end(&mut dump) {
error!("Failed to read from TCP stream: {:?}", err)
}
Ok(data)
} else {
let data = RosMsg::decode(&mut stream)?;
let mut dump = vec![];
if let Err(err) = stream.read_to_end(&mut dump) {
error!("Failed to read from TCP stream: {:?}", err)
}
Err(data)
})
}
}
#[inline]
fn read_verification_byte<R: std::io::Read>(reader: &mut R) -> std::io::Result<bool> {
reader.read_u8().map(|v| v != 0)
}
fn write_request<T, U>(mut stream: &mut U, caller_id: &str, service: &str) -> Result<()>
where
T: ServicePair,
U: std::io::Write,
{
let mut fields = HashMap::<String, String>::new();
fields.insert(String::from("callerid"), String::from(caller_id));
fields.insert(String::from("service"), String::from(service));
fields.insert(String::from("md5sum"), T::md5sum());
fields.insert(String::from("type"), T::msg_type());
encode(&mut stream, &fields)?;
Ok(())
}
fn read_response<T, U>(mut stream: &mut U) -> Result<()>
where
T: ServicePair,
U: std::io::Read,
{
let fields = decode(&mut stream)?;
if fields.get("callerid").is_none() {
bail!(ErrorKind::HeaderMissingField("callerid".into()));
}
Ok(())
}
fn exchange_headers<T, U>(stream: &mut U, caller_id: &str, service: &str) -> Result<()>
where
T: ServicePair,
U: std::io::Write + std::io::Read,
{
write_request::<T, U>(stream, caller_id, service)?;
read_response::<T, U>(stream)
}