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
use crate::Message;
use futures::io::{AsyncWrite, AsyncWriteExt};
use std::io::Error;

/// A writer for SMC messages.
///
/// Consumes an [`futures::io::AsyncWrite`] to which messages will be written.
pub struct Writer<W> {
    writer: W,
}

impl<W> Writer<W>
where
    W: AsyncWrite + Unpin,
{
    /// Create a new message writer.
    pub fn new(writer: W) -> Self {
        Self { writer }
    }

    /// Send a message.
    ///
    /// This encodes the message, writes it and flushes the writer.
    pub async fn send(&mut self, message: Message) -> Result<(), Error> {
        send(&mut self.writer, message).await
    }

    /// Send a batch of messages.
    ///
    /// This works like [`Writer::send`] but flushes after all messages are written.
    pub async fn send_batch(&mut self, messages: Vec<Message>) -> Result<(), Error> {
        send_batch(&mut self.writer, messages).await
    }
}

pub async fn send<W>(writer: &mut W, message: Message) -> Result<(), Error>
where
    W: AsyncWrite + Unpin,
{
    let buf = message.encode()?;
    writer.write_all(&buf).await?;
    writer.flush().await?;
    Ok(())
}

pub async fn send_batch<W>(writer: &mut W, messages: Vec<Message>) -> Result<(), Error>
where
    W: AsyncWrite + Unpin,
{
    for message in &messages {
        let buf = message.encode()?;
        writer.write_all(&buf).await?;
    }
    writer.flush().await?;
    Ok(())
}