Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[WIP] Send messages as Vec<Bytes> #650

Draft
wants to merge 1 commit into
base: master
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
6 changes: 6 additions & 0 deletions sdk/src/binary/binary_client.rs
Original file line number Diff line number Diff line change
Expand Up @@ -23,4 +23,10 @@ pub trait BinaryClient: Client {
async fn set_state(&self, state: ClientState);
/// Sends a command and returns the response.
async fn send_with_response(&self, command: u32, payload: Bytes) -> Result<Bytes, IggyError>;
/// Sends a command serialized as vector<Bytes> and returns the response.
async fn send_vec_with_response(
&self,
command: u32,
payload: Vec<Bytes>,
) -> Result<Bytes, IggyError>;
}
2 changes: 1 addition & 1 deletion sdk/src/binary/messages.rs
Original file line number Diff line number Diff line change
Expand Up @@ -20,7 +20,7 @@ impl<B: BinaryClient> MessageClient for B {

async fn send_messages(&self, command: &mut SendMessages) -> Result<(), IggyError> {
fail_if_not_authenticated(self).await?;
self.send_with_response(SEND_MESSAGES_CODE, command.as_bytes())
self.send_vec_with_response(SEND_MESSAGES_CODE, command.as_bytes_vec())
.await?;
Ok(())
}
Expand Down
4 changes: 4 additions & 0 deletions sdk/src/bytes_serializable.rs
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,10 @@ pub trait BytesSerializable {
/// Serializes the struct to bytes.
fn as_bytes(&self) -> Bytes;

fn as_bytes_vec(&self) -> Vec<Bytes> {
vec![self.as_bytes()]
}

/// Deserializes the struct from bytes.
fn from_bytes(bytes: Bytes) -> Result<Self, IggyError>
where
Expand Down
1 change: 1 addition & 0 deletions sdk/src/lib.rs
Original file line number Diff line number Diff line change
@@ -1,3 +1,4 @@
#![feature(io_slice_advance)]

Check failure on line 1 in sdk/src/lib.rs

View workflow job for this annotation

GitHub Actions / sanity / Check

`#![feature]` may not be used on the stable release channel

Check failure on line 1 in sdk/src/lib.rs

View workflow job for this annotation

GitHub Actions / sanity / Clippy

`#![feature]` may not be used on the stable release channel
pub mod args;
pub mod binary;
pub mod bytes_serializable;
Expand Down
20 changes: 20 additions & 0 deletions sdk/src/messages/send_messages.rs
Original file line number Diff line number Diff line change
Expand Up @@ -421,6 +421,26 @@ impl BytesSerializable for SendMessages {
bytes.freeze()
}

fn as_bytes_vec(&self) -> Vec<Bytes> {
const HEADER_LEN: usize = 3;
let mut bytes = Vec::with_capacity(HEADER_LEN + self.messages.len());

// Push the stream ID, topic ID and partitioning as Header.
let key_bytes = self.partitioning.as_bytes();
let stream_id_bytes = self.stream_id.as_bytes();
let topic_id_bytes = self.topic_id.as_bytes();
bytes.push(stream_id_bytes);
bytes.push(topic_id_bytes);
bytes.push(key_bytes);

// Push the messages.
for message in &self.messages {
bytes.push(message.as_bytes());
}

bytes
}

fn from_bytes(bytes: Bytes) -> Result<SendMessages, IggyError> {
if bytes.len() < 11 {
return Err(IggyError::InvalidCommand);
Expand Down
8 changes: 8 additions & 0 deletions sdk/src/quic/client.rs
Original file line number Diff line number Diff line change
Expand Up @@ -135,6 +135,14 @@ impl BinaryClient for QuicClient {
error!("Cannot send data. Client is not connected.");
Err(IggyError::NotConnected)
}

async fn send_vec_with_response(
&self,
_command: u32,
_payload: Vec<Bytes>,
) -> Result<Bytes, IggyError> {
unimplemented!()
}
}

impl QuicClient {
Expand Down
64 changes: 62 additions & 2 deletions sdk/src/tcp/client.rs
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,7 @@ use crate::tcp::config::TcpClientConfig;
use async_trait::async_trait;
use bytes::{BufMut, Bytes, BytesMut};
use std::fmt::Debug;
use std::io::{self, ErrorKind, IoSlice};
use std::net::SocketAddr;
use std::sync::Arc;
use std::time::Duration;
Expand Down Expand Up @@ -39,6 +40,9 @@ unsafe impl Sync for TcpClient {}
pub(crate) trait ConnectionStream: Debug + Sync + Send {
async fn read(&mut self, buf: &mut [u8]) -> Result<usize, IggyError>;
async fn write(&mut self, buf: &[u8]) -> Result<(), IggyError>;
async fn write_all_vectored(&mut self, _bufs: Vec<Bytes>) -> Result<(), IggyError> {
unimplemented!("write_all_vectored not implemented")
}
async fn flush(&mut self) -> Result<(), IggyError>;
}

Expand Down Expand Up @@ -84,6 +88,26 @@ impl ConnectionStream for TcpConnectionStream {
Ok(self.writer.write_all(buf).await?)
}

async fn write_all_vectored(&mut self, bufs: Vec<Bytes>) -> Result<(), IggyError> {
let mut bufs: Vec<IoSlice> = bufs.iter().map(|b| IoSlice::new(b)).collect();
let mut bufs: &mut [IoSlice] = bufs.as_mut();

while !bufs.is_empty() {
match self.writer.write_vectored(&bufs).await {
Ok(0) => {
return Err(IggyError::IoError(io::Error::new(
ErrorKind::WriteZero,
"failed to write whole buffer",
)));
}
Ok(n) => IoSlice::advance_slices(&mut bufs, n),
Err(ref e) if e.kind() == ErrorKind::Interrupted => {}
Err(e) => return Err(e.into()),
}
}
Ok(())
}

async fn flush(&mut self) -> Result<(), IggyError> {
Ok(self.writer.flush().await?)
}
Expand All @@ -101,7 +125,7 @@ impl ConnectionStream for TcpTlsConnectionStream {
}

async fn write(&mut self, buf: &[u8]) -> Result<(), IggyError> {
let result = self.stream.write_all(buf).await;
let result = self.stream.write(buf).await;
if let Err(error) = result {
return Err(IggyError::from(error));
}
Expand All @@ -110,7 +134,7 @@ impl ConnectionStream for TcpTlsConnectionStream {
}

async fn flush(&mut self) -> Result<(), IggyError> {
Ok(())
Ok(self.stream.flush().await?)
}
}

Expand Down Expand Up @@ -244,6 +268,42 @@ impl BinaryClient for TcpClient {
error!("Cannot send data. Client is not connected.");
Err(IggyError::NotConnected)
}

async fn send_vec_with_response(
&self,
command: u32,
payload: Vec<Bytes>,
) -> Result<Bytes, IggyError> {
if self.get_state().await == ClientState::Disconnected {
return Err(IggyError::NotConnected);
}

let mut stream = self.stream.lock().await;
if let Some(stream) = stream.as_mut() {
let payload_length =
payload.iter().map(|p| p.len()).sum::<usize>() + REQUEST_INITIAL_BYTES_LENGTH;
trace!("Sending a TCP request...");
stream.write(&(payload_length as u32).to_le_bytes()).await?;
stream.write(&command.to_le_bytes()).await?;
stream.write_all_vectored(payload).await?;
stream.flush().await?;
trace!("Sent a TCP request, waiting for a response...");

let mut response_buffer = [0u8; RESPONSE_INITIAL_BYTES_LENGTH];
let read_bytes = stream.read(&mut response_buffer).await?;
if read_bytes != RESPONSE_INITIAL_BYTES_LENGTH {
error!("Received an invalid or empty response.");
return Err(IggyError::EmptyResponse);
}

let status = u32::from_le_bytes(response_buffer[..4].try_into().unwrap());
let length = u32::from_le_bytes(response_buffer[4..].try_into().unwrap());
return self.handle_response(status, length, stream.as_mut()).await;
}

error!("Cannot send data. Client is not connected.");
Err(IggyError::NotConnected)
}
}

impl TcpClient {
Expand Down
Loading