servers/src/client.rs

45 lines
1.0 KiB
Rust
Raw Normal View History

2022-06-04 11:58:21 +00:00
#![allow(clippy::unused_io_amount)]
use tokio::{
io::{AsyncReadExt, AsyncWriteExt},
net::TcpStream,
};
pub struct Client {
pub stream: TcpStream,
}
impl Client {
/// Create new Client
pub fn new(stream: TcpStream) -> Self {
Self { stream }
}
/// Read message/buffer from Client
pub async fn read(&mut self) -> anyhow::Result<String> {
2022-06-04 18:10:21 +00:00
// allocate an empty buffer of length 1024 bytes
2022-06-04 11:58:21 +00:00
let mut buf = [0; 1024];
2022-06-04 18:10:21 +00:00
// read buffer from stream
2022-06-04 11:58:21 +00:00
self.stream.read(&mut buf).await?;
2022-06-04 18:10:21 +00:00
// encode &[u8] to a String and replace null spaces (empty `\0` bytes)
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 async fn send(&mut self, content: &str) -> anyhow::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
self.stream
.write_all(content.as_bytes())
.await?;
2022-06-04 11:58:21 +00:00
Ok(())
}
}