servers/src/tcp/client.rs

46 lines
1.1 KiB
Rust
Raw Normal View History

2022-06-04 11:58:21 +00:00
#![allow(clippy::unused_io_amount)]
/// Max size of a TCP packet
2022-06-17 11:43:23 +00:00
pub const MAX_PACKET_LEN: usize = 65536;
2022-06-04 19:34:53 +00:00
use std::{
io::{self, Read, Write},
2022-06-04 11:58:21 +00:00
net::TcpStream,
};
/// TCP Client
2022-06-04 11:58:21 +00:00
pub struct Client {
/// TCP stream of this client
2022-06-04 11:58:21 +00:00
pub stream: TcpStream,
}
impl Client {
/// Create new Client
pub fn new(stream: TcpStream) -> Self {
Self { stream }
}
/// Read message/buffer from client
pub fn read(&mut self) -> anyhow::Result<String> {
2022-06-17 11:43:23 +00:00
// allocate an empty buffer
let mut buf = [0; MAX_PACKET_LEN];
2022-06-04 11:58:21 +00:00
2022-06-04 18:10:21 +00:00
// read buffer from stream
2022-06-04 19:34:53 +00:00
self.stream.read(&mut buf)?;
2022-06-04 11:58:21 +00:00
// encode &[u8] to a String and delete null bytes (empty `\0` bytes)
2022-06-04 18:10:21 +00:00
let decoded = String::from_utf8(buf.to_vec())?.replace('\0', "");
2022-06-04 11:58:21 +00:00
2022-06-04 18:10:21 +00:00
Ok(decoded)
2022-06-04 11:58:21 +00:00
}
/// Send message to client
pub fn send(&mut self, content: &str) -> io::Result<()> {
2022-06-04 18:10:21 +00:00
// add a new line at the end of the content
let content = format!("{content}\n\r");
// send message
2022-06-04 19:34:53 +00:00
self.stream.write_all(content.as_bytes())
2022-06-04 11:58:21 +00:00
}
}