Skip to content

Commit

Permalink
Added client to rs-tftpd
Browse files Browse the repository at this point in the history
  • Loading branch information
Blenderwizard authored and Jolan Rathelot committed Jun 27, 2024
1 parent 1db6805 commit b8cbf15
Show file tree
Hide file tree
Showing 10 changed files with 771 additions and 13 deletions.
3 changes: 2 additions & 1 deletion Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -10,4 +10,5 @@ keywords = ["tftp", "server"]
categories = ["command-line-utilities"]

[features]
integration = []
integration = []
client = []
28 changes: 27 additions & 1 deletion README.md
Original file line number Diff line number Diff line change
Expand Up @@ -17,7 +17,7 @@ Since TFTP servers do not offer any type of login or access control mechanisms,

Documentation for the project can be found in [docs.rs](https://docs.rs/tftpd/latest/tftpd/).

## Usage
## Usage (Server)

To install the server using Cargo:

Expand All @@ -32,6 +32,32 @@ To run the server on the IP address `0.0.0.0`, read-only, on port `1234` in the
tftpd -i 0.0.0.0 -p 1234 -d "/home/user/tftp" -r
```

## Usage (Client)

To install the client and server using Cargo:

```bash
cargo install --features client tftpd
tftpd client --help
tftpd server --help
```

To run the server on the IP address `0.0.0.0`, read-only, on port `1234` in the `/home/user/tftp` directory:

```bash
tftpd server -i 0.0.0.0 -p 1234 -d "/home/user/tftp" -r
```

To connect the client to a tftp server running on IP address `127.0.0.1`, read-only, on port `1234` and download a file named `example.file`
```bash
tftpd client -i 0.0.0.0 -p 1234 -d -f 'example.file'
```

To connect the client to a tftp server running on IP address `127.0.0.1`, read-only, on port `1234` and upload a file named `example.file`
```bash
tftpd client -i 0.0.0.0 -p 1234 -u -f './example.file'
```

## License

This project is licensed under the [MIT License](https://opensource.org/license/mit/).
249 changes: 249 additions & 0 deletions src/client.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,249 @@
use crate::packet::{DEFAULT_BLOCKSIZE, DEFAULT_TIMEOUT, DEFAULT_WINDOWSIZE};
use crate::{ClientConfig, OptionType, Packet, Socket, TransferOption, Worker};
use std::cmp::PartialEq;
use std::error::Error;
use std::fs::File;
use std::net::{Ipv4Addr, SocketAddr, UdpSocket};
use std::path::PathBuf;
use std::time::Duration;

/// Client `struct` is used for client sided TFTP requests.
///
/// This `struct` is meant to be created by [`Client::new()`]. See its
/// documentation for more.
///
/// # Example
///
/// ```rust
/// // Create the TFTP server.
/// use tftpd::{ClientConfig, Client};
///
/// let args = ["-u", "-f", "test.file"].iter().map(|s| s.to_string());
/// let config = ClientConfig::new(args).unwrap();
/// let server = Client::new(&config).unwrap();
/// ```
pub struct Client {
remote_address: SocketAddr,
blocksize: usize,
windowsize: u16,
timeout: Duration,
mode: Mode,
file: String,
save_path: PathBuf,
}

/// Enum used to set the client either in Download Mode or Upload Mode
#[derive(PartialEq, Clone, Copy, Debug)]
pub enum Mode {
/// Upload Mode
Upload,
/// Download Mode
Download,
}

impl Client {
/// Creates the TFTP Client with the supplied [`ClientConfig`].
pub fn new(config: &ClientConfig) -> Result<Client, Box<dyn Error>> {
Ok(Client {
remote_address: SocketAddr::from((config.remote_ip_address, config.port)),
blocksize: config.blocksize,
windowsize: config.windowsize,
timeout: config.timeout,
mode: config.mode,
file: config.file.clone(),
save_path: config.save_directory.clone(),
})
}

/// Starts the Client depending on the [`Mode`] the client is in
pub fn start(&mut self) -> Result<(), Box<dyn Error>> {
match self.mode {
Mode::Upload => self.upload(),
Mode::Download => self.download(),
}
}

fn upload(&mut self) -> Result<(), Box<dyn Error>> {
if self.mode != Mode::Upload {}

let socket = UdpSocket::bind((Ipv4Addr::UNSPECIFIED, 0))?;
let file = PathBuf::from(self.file.clone())
.file_name()
.unwrap()
.to_os_string()
.into_string()
.unwrap();

let size = File::open(PathBuf::from(self.file.clone()))?.metadata()?.len() as usize;

Socket::send_to(
&socket,
&Packet::Wrq {
filename: file,
mode: "octet".into(),
options: vec![
TransferOption {
option: OptionType::BlockSize,
value: self.blocksize,
},
TransferOption {
option: OptionType::Windowsize,
value: self.windowsize as usize,
},
TransferOption {
option: OptionType::Timeout,
value: self.timeout.as_secs() as usize,
},
TransferOption {
option: OptionType::TransferSize,
value: size,
}
],
},
&self.remote_address,
)?;

let received = Socket::recv_from(&socket);

if let Ok((packet, from)) = received {
socket.connect(from)?;
match packet {
Packet::Oack(options) => {
self.verify_oack(&options)?;
let worker = self.configure_worker(socket)?;
let join_handle = worker.send(false)?;
let _ = join_handle.join();
}
Packet::Ack(_) => {
self.blocksize = DEFAULT_BLOCKSIZE;
self.windowsize = DEFAULT_WINDOWSIZE;
self.timeout = DEFAULT_TIMEOUT;
let worker = self.configure_worker(socket)?;
let join_handle = worker.send(false)?;
let _ = join_handle.join();
}
Packet::Error { code, msg } => {
return Err(Box::from(format!(
"Client received error from server: {code}: {msg}"
)));
}
_ => {
return Err(Box::from(format!(
"Client received unexpected packet from server: {packet:#?}"
)));
}
}
} else {
return Err(Box::from("Unexpected Error"));
}

Ok(())
}

fn download(&mut self) -> Result<(), Box<dyn Error>> {
if self.mode != Mode::Download {
return Err(Box::from("Client mode is set to Upload"));
}

let socket = UdpSocket::bind((Ipv4Addr::UNSPECIFIED, 0))?;

Socket::send_to(
&socket,
&Packet::Rrq {
filename: self.file.clone(),
mode: "octet".into(),
options: vec![
TransferOption {
option: OptionType::BlockSize,
value: self.blocksize,
},
TransferOption {
option: OptionType::Windowsize,
value: self.windowsize as usize,
},
TransferOption {
option: OptionType::Timeout,
value: self.timeout.as_secs() as usize,
},
TransferOption {
option: OptionType::TransferSize,
value: 0,
}
],
},
&self.remote_address,
)?;

let received = Socket::recv_from(&socket);

if let Ok((packet, from)) = received {
socket.connect(from)?;
match packet {
Packet::Oack(options) => {
self.verify_oack(&options)?;
Socket::send_to(&socket, &Packet::Ack(0), &from)?;
let worker = self.configure_worker(socket)?;
let join_handle = worker.receive()?;
let _ = join_handle.join();
}
Packet::Error { code, msg } => {
return Err(Box::from(format!(
"Client received error from server: {code}: {msg}"
)));
}
_ => {
return Err(Box::from(format!(
"Client received unexpected packet from server: {packet:#?}"
)));
}
}
} else {
return Err(Box::from("Unexpected Error"));
}

Ok(())
}

fn verify_oack(&mut self, options: &Vec<TransferOption>) -> Result<(), Box<dyn Error>> {
for option in options {
match option.option {
OptionType::BlockSize {} => self.blocksize = option.value,
OptionType::Windowsize => self.windowsize = option.value as u16,
_ => {}
}
}

Ok(())
}

fn configure_worker(&self, socket: UdpSocket) -> Result<Worker<dyn Socket>, Box<dyn Error>> {
let mut socket: Box<dyn Socket> = Box::new(socket);

socket.set_read_timeout(self.timeout)?;
socket.set_write_timeout(self.timeout)?;

let worker = if self.mode == Mode::Download {
let mut file = self.save_path.clone();
file = file.join(self.file.clone());
Worker::new(
socket,
file,
self.blocksize,
DEFAULT_TIMEOUT,
self.windowsize,
1,
)
} else {
Worker::new(
socket,
PathBuf::from(self.file.clone()),
self.blocksize,
DEFAULT_TIMEOUT,
self.windowsize,
1,
)
};

Ok(worker)
}
}
Loading

0 comments on commit b8cbf15

Please sign in to comment.