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 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510
//! The client network interface.
use crate::command_channel::*;
use crate::crypto::*;
use crate::event_stream::*;
use crate::util::*;
use rsa::pkcs8::DecodePublicKey;
use rsa::RsaPublicKey;
use serde::{de::DeserializeOwned, ser::Serialize};
use std::io;
use std::marker::PhantomData;
use std::net::SocketAddr;
use tokio::io::{AsyncReadExt, AsyncWriteExt};
use tokio::net::{TcpStream, ToSocketAddrs};
use tokio::sync::mpsc::channel;
use tokio::task::JoinHandle;
/// A command sent from the client handle to the background client task.
pub enum ClientCommand<S>
where
S: Serialize + Send + 'static,
{
Disconnect,
Send { data: S },
GetAddr,
GetServerAddr,
}
/// The return value of a command executed on the background client task.
pub enum ClientCommandReturn {
Disconnect(io::Result<()>),
Send(io::Result<()>),
GetAddr(io::Result<SocketAddr>),
GetServerAddr(io::Result<SocketAddr>),
}
/// An event from the client.
///
/// ```no_run
/// use rustdtp::{Client, ClientEvent, EventStreamExt};
///
/// #[tokio::main]
/// async fn main() {
/// // Create the client
/// let (mut client, mut client_event) = Client::<(), String>::connect(("127.0.0.1", 29275)).await.unwrap();
///
/// // Iterate over events
/// while let Some(event) = client_event.next().await {
/// match event {
/// ClientEvent::Receive { data } => {
/// println!("Server sent: {}", data);
/// },
/// ClientEvent::Disconnect => {
/// // No more events will be sent, and the loop will end
/// println!("Client disconnected");
/// },
/// }
/// }
/// }
/// ```
#[derive(Debug)]
pub enum ClientEvent<R>
where
R: DeserializeOwned + Send + 'static,
{
Receive { data: R },
Disconnect,
}
/// A handle to the client.
pub struct ClientHandle<S>
where
S: Serialize + Send + 'static,
{
client_command_sender: CommandChannelSender<ClientCommand<S>, ClientCommandReturn>,
client_task_handle: JoinHandle<io::Result<()>>,
}
impl<S> ClientHandle<S>
where
S: Serialize + Send + 'static,
{
/// Disconnect from the server.
///
/// Returns a result of the error variant if an error occurred while disconnecting.
///
/// ```no_run
/// use rustdtp::{Client, ClientEvent, EventStreamExt};
///
/// #[tokio::main]
/// async fn main() {
/// // Create the client
/// let (mut client, mut client_event) = Client::<(), String>::connect(("127.0.0.1", 29275)).await.unwrap();
///
/// // Wait for events until the server requests the client leave
/// while let Some(event) = client_event.next().await {
/// match event {
/// ClientEvent::Receive { data } => {
/// if data.as_str() == "Kindly leave" {
/// println!("Client disconnect requested");
/// client.disconnect().await.unwrap();
/// break;
/// }
/// },
/// _ => {}, // Do nothing for other events
/// }
/// }
/// }
/// ```
pub async fn disconnect(mut self) -> io::Result<()> {
let value = self
.client_command_sender
.send_command(ClientCommand::Disconnect)
.await?;
self.client_task_handle.await.unwrap()?;
unwrap_enum!(value, ClientCommandReturn::Disconnect)
}
/// Send data to the server.
///
/// `data`: the data to send.
///
/// Returns a result of the error variant if an error occurred while sending.
///
/// ```no_run
/// use rustdtp::{Client, ClientEvent};
///
/// #[tokio::main]
/// async fn main() {
/// // Create the client
/// let (mut client, mut client_event) = Client::<String, ()>::connect(("127.0.0.1", 29275)).await.unwrap();
///
/// // Send a greeting to the server upon connecting
/// client.send("Hello, server!".to_owned()).await.unwrap();
/// }
/// ```
pub async fn send(&mut self, data: S) -> io::Result<()> {
let value = self
.client_command_sender
.send_command(ClientCommand::Send { data })
.await?;
unwrap_enum!(value, ClientCommandReturn::Send)
}
/// Get the address of the socket the client is connected on.
///
/// Returns a result containing the address of the socket the client is connected on, or the error variant if an error occurred.
///
/// ```no_run
/// use rustdtp::{Client, ClientEvent};
///
/// #[tokio::main]
/// async fn main() {
/// // Create the client
/// let (mut client, mut client_event) = Client::<String, ()>::connect(("127.0.0.1", 29275)).await.unwrap();
///
/// // Get the client address
/// let addr = client.get_addr().await.unwrap();
/// println!("Client connected on {}", addr);
/// }
/// ```
pub async fn get_addr(&mut self) -> io::Result<SocketAddr> {
let value = self
.client_command_sender
.send_command(ClientCommand::GetAddr)
.await?;
unwrap_enum!(value, ClientCommandReturn::GetAddr)
}
/// Get the address of the server.
///
/// Returns a result containing the address of the server, or the error variant if an error occurred.
///
/// ```no_run
/// use rustdtp::{Client, ClientEvent};
///
/// #[tokio::main]
/// async fn main() {
/// // Create the client
/// let (mut client, mut client_event) = Client::<String, ()>::connect(("127.0.0.1", 29275)).await.unwrap();
///
/// // Get the server address
/// let addr = client.get_server_addr().await.unwrap();
/// println!("Server address: {}", addr);
/// }
/// ```
pub async fn get_server_addr(&mut self) -> io::Result<SocketAddr> {
let value = self
.client_command_sender
.send_command(ClientCommand::GetServerAddr)
.await?;
unwrap_enum!(value, ClientCommandReturn::GetServerAddr)
}
}
/// A socket client.
///
/// The client takes two generic parameters:
///
/// - `S`: the type of data that will be **sent** to the server.
/// - `R`: the type of data that will be **received** from the server.
///
/// Both types must be serializable in order to be sent through the socket. When creating a server, the types should be swapped, since the client's send type will be the server's receive type and vice versa.
///
/// ```no_run
/// use rustdtp::{Client, ClientEvent, EventStreamExt};
///
/// #[tokio::main]
/// async fn main() {
/// // Create a client that sends a message to the server and receives the length of the message
/// let (mut client, mut client_event) = Client::<String, usize>::connect(("127.0.0.1", 29275)).await.unwrap();
///
/// // Send a message to the server
/// let msg = "Hello, server!".to_owned();
/// client.send(msg.clone()).await.unwrap();
///
/// // Receive the response
/// match client_event.next().await.unwrap() {
/// ClientEvent::Receive { data } => {
/// // Validate the response
/// println!("Received response from server: {}", data);
/// assert_eq!(data, msg.len());
/// },
/// event => {
/// // Unexpected response
/// panic!("expected to receive a response from the server, instead got {:?}", event);
/// },
/// }
/// }
/// ```
pub struct Client<S, R>
where
S: Serialize + Send + 'static,
R: DeserializeOwned + Send + 'static,
{
phantom_send: PhantomData<S>,
phantom_receive: PhantomData<R>,
}
impl<S, R> Client<S, R>
where
S: Serialize + Send + 'static,
R: DeserializeOwned + Send + 'static,
{
/// Connect to a socket server.
///
/// `addr`: the address to connect to.
///
/// Returns a result containing a handle to the client and a channel from which to receive client events, or the error variant if an error occurred while connecting to the server.
///
/// ```no_run
/// use rustdtp::{Client, ClientEvent};
///
/// #[tokio::main]
/// async fn main() {
/// let (mut client, mut client_event) = Client::<(), ()>::connect(("127.0.0.1", 29275)).await.unwrap();
/// }
/// ```
pub async fn connect<A>(addr: A) -> io::Result<(ClientHandle<S>, EventStream<ClientEvent<R>>)>
where
A: ToSocketAddrs,
{
// Client TCP stream
let mut stream = TcpStream::connect(addr).await?;
// Buffer in which to receive the size portion of the RSA public key
let mut rsa_pub_size_buffer = [0; LEN_SIZE];
// Read size portion of RSA public key
let n_size = stream.read(&mut rsa_pub_size_buffer).await?;
// If there were no bytes read, or if there were fewer bytes read than there
// should have been, close the stream and exit
if n_size != LEN_SIZE {
stream.shutdown().await?;
return generic_io_error("failed to read RSA public key size from stream");
};
// Decode the size portion of the RSA public key
let rsa_pub_size = decode_message_size(&rsa_pub_size_buffer);
// Initialize the buffer for the RSA public key
let mut rsa_pub_buffer = vec![0; rsa_pub_size];
// Read the RSA public key portion from the stream, returning an error if the
// stream could not be read
let n_rsa_pub = stream.read(&mut rsa_pub_buffer).await?;
// If there were no bytes read, or if there were fewer bytes read than there
// should have been, close the stream and exit
if n_rsa_pub != rsa_pub_size {
stream.shutdown().await?;
return generic_io_error("failed to read RSA public key data from stream");
}
// Read the RSA public key into a string, returning an error if UTF-8 conversion failed
let rsa_pub_str = into_generic_io_result(String::from_utf8(rsa_pub_buffer))?;
// Read the RSA public key string into an RSA public key object
let rsa_pub = into_generic_io_result(RsaPublicKey::from_public_key_pem(&rsa_pub_str))?;
// Generate AES key
let aes_key = aes_key();
// Encrypt AES key with RSA public key
let aes_key_encrypted = into_generic_io_result(rsa_encrypt(rsa_pub, &aes_key))?;
// Create the buffer containing the AES key and its size
let mut aes_key_buffer = encode_message_size(aes_key_encrypted.len()).to_vec();
// Extend the buffer with the AES key
aes_key_buffer.extend(aes_key_encrypted);
// Send the encrypted AES key to the server
let n = stream.write(&aes_key_buffer).await?;
// Flush the stream
stream.flush().await?;
// If there were no bytes written, or if there were fewer
// bytes written than there should have been, close the
// stream and exit
if n != aes_key_buffer.len() {
stream.shutdown().await?;
return generic_io_error("failed to write encrypted AES key data to stream");
}
// Channels for sending commands from the client handle to the background client task
let (client_command_sender, mut client_command_receiver) = command_channel();
// Channels for sending event notifications from the background client task
let (client_event_sender, client_event_receiver) = channel(CHANNEL_BUFFER_SIZE);
// Start the background client task, saving the join handle for when the client disconnects
let client_task_handle = tokio::spawn(async move {
// Wrap client loop in a block to catch all exit scenarios
let client_exit = {
// Buffer in which to receive the size portion of a message
let mut size_buffer = [0; LEN_SIZE];
// Client loop
loop {
// Await messages from the server
// and commands from the client handle
tokio::select! {
// Read the size portion from the stream
read_value = stream.read(&mut size_buffer) => {
// Return an error if the stream could not be read
let n_size = read_value?;
// If there were no bytes read, or if there were fewer bytes read than there
// should have been, close the stream
if n_size != LEN_SIZE {
stream.shutdown().await?;
break;
}
// Decode the size portion of the message
let encrypted_data_size = decode_message_size(&size_buffer);
// Initialize the buffer for the data portion of the message
let mut encrypted_data_buffer = vec![0; encrypted_data_size];
// Read the data portion from the client stream, returning an error if the
// stream could not be read
let n_data = stream.read(&mut encrypted_data_buffer).await?;
// If there were no bytes read, or if there were fewer bytes read than there
// should have been, close the stream
if n_data != encrypted_data_size {
stream.shutdown().await?;
break;
}
// Decrypt the data
let data_buffer = match aes_decrypt(&aes_key, &encrypted_data_buffer) {
Ok(val) => Ok(val),
Err(e) => generic_io_error(format!("failed to decrypt data: {}", e)),
}?;
// Deserialize the message data
if let Ok(data) = serde_json::from_slice(&data_buffer) {
// Send an event to note that a piece of data has been received from
// the server
if let Err(_e) = client_event_sender.send(ClientEvent::Receive { data }).await {
// Sending failed, disconnect
stream.shutdown().await?;
break;
}
} else {
// Deserialization failed, disconnect
stream.shutdown().await?;
break;
}
}
// Process a command from the client handle
command_value = client_command_receiver.recv_command() => {
// Handle the command, or lack thereof if the channel is closed
match command_value {
Ok(command) => {
match command {
ClientCommand::Disconnect => {
// Disconnect from the server
let value = stream.shutdown().await;
// If a command fails to send, the client has already disconnected,
// and the error can be ignored.
// It should be noted that this is not where the disconnect method actually returns
// its `Result`. This immediately returns with an `Ok` status. The real return
// value is the `Result` returned from the client task join handle.
if let Ok(_) = client_command_receiver.command_return(ClientCommandReturn::Disconnect(value)).await {}
// Break the client loop
break;
},
ClientCommand::Send { data } => {
let value = {
// Serialize the data
let data_buffer = serde_json::to_vec(&data)?;
// Encrypt the serialized data
let encrypted_data_buffer = match aes_encrypt(&aes_key, &data_buffer) {
Ok(val) => Ok(val),
Err(e) => generic_io_error(format!("failed to encrypt data: {}", e)),
}?;
// Encode the message size to a buffer
let size_buffer = encode_message_size(encrypted_data_buffer.len());
// Initialize the message buffer
let mut buffer = vec![];
// Extend the buffer to contain the payload size
buffer.extend_from_slice(&size_buffer);
// Extend the buffer to contain the payload data
buffer.extend(&encrypted_data_buffer);
// Write the data to the stream
let n = stream.write(&buffer).await?;
// Flush the stream
stream.flush().await?;
// If there were no bytes written, or if there were fewer
// bytes written than there should have been, close the
// stream
if n != buffer.len() {
generic_io_error("failed to write data to stream")
} else {
io::Result::Ok(())
}
};
let error_occurred = value.is_err();
// Return the status of the send operation
if let Err(_e) = client_command_receiver.command_return(ClientCommandReturn::Send(value)).await {
// Channel is closed, disconnect from the server
stream.shutdown().await?;
break;
}
// If the send failed, disconnect from the server
if error_occurred {
stream.shutdown().await?;
break;
}
},
ClientCommand::GetAddr => {
// Get the stream's address
let addr = stream.local_addr();
// Return the address
if let Err(_e) = client_command_receiver.command_return(ClientCommandReturn::GetAddr(addr)).await {
// Channel is closed, disconnect from the server
stream.shutdown().await?;
break;
}
},
ClientCommand::GetServerAddr => {
// Get the stream's address
let addr = stream.peer_addr();
// Return the address
if let Err(_e) = client_command_receiver.command_return(ClientCommandReturn::GetServerAddr(addr)).await {
// Channel is closed, disconnect from the server
stream.shutdown().await?;
break;
}
},
}
},
Err(_e) => {
// Client probably disconnected, exit
stream.shutdown().await?;
break;
}
}
}
}
}
// Send a disconnect event, ignoring send errors
if let Err(_e) = client_event_sender.send(ClientEvent::Disconnect).await {}
io::Result::Ok(())
};
// Return client loop result
client_exit
});
// Create a handle for the client
let client_handle = ClientHandle {
client_command_sender,
client_task_handle,
};
// Create an event stream for the client
let client_event_stream = new_event_stream(client_event_receiver);
Ok((client_handle, client_event_stream))
}
}