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
57
58
59
60
61
62
63
64
65
66
use std::str;
use std::io;
use std::{cmp::min, pin::Pin, task::{Context, Poll, Waker}};

use hyper::client::connect::{Connected, Connection};
use tokio::io::{AsyncRead, AsyncWrite};

pub struct MockPollStream {
    data: Vec<u8>,
    pos: usize,
    ready_for_response: bool,
    waker: Option<Waker>
}

impl MockPollStream {
    pub fn new(data: Vec<u8>) -> Self {
        Self {
            data,
            pos: 0,
            ready_for_response: false,
            waker: None,
        }
    }
}

impl AsyncRead for MockPollStream {
    fn poll_read(mut self: Pin<&mut Self>, cx: &mut Context, buf: &mut [u8]) -> Poll<io::Result<usize>> {
        if !self.ready_for_response {
            trace!("Not ready for read yet");
            self.waker = Some(cx.waker().clone());
            return Poll::Pending;
        }
        trace!("Buffer size: {}, Data size: {}, Pos: {}", buf.len(), self.data.len(), self.pos);
        let n = min(buf.len(), self.data.len() - self.pos);
        let read_until = self.pos + n;
        buf[..n].copy_from_slice(&self.data[self.pos..read_until]);
        self.pos = read_until;
        trace!("Read {} bytes: '{}'", n, str::from_utf8(&buf[..n]).unwrap_or ("<bad utf-8>"));
        self.waker = Some(cx.waker().clone());
        Poll::Ready(Ok(n))
    }
}

impl AsyncWrite for MockPollStream {
    fn poll_write(self: Pin<&mut Self>, _cx: &mut Context, data: &[u8]) -> Poll<io::Result<usize>> {
        trace!("Request data: {}", str::from_utf8(data).unwrap_or("<bad utf-8>"));
        let Self {ready_for_response, waker, .. } = self.get_mut();
        *ready_for_response = true;
        waker.take().map(|w| w.wake());
        Poll::Ready(Ok(data.len()))
    }

    fn poll_flush(self: Pin<&mut Self>, _cx: &mut Context) -> Poll<io::Result<()>> {
        Poll::Ready(Ok(()))
    }

    fn poll_shutdown(self: Pin<&mut Self>, _cx: &mut Context) -> Poll<io::Result<()>> {
        Poll::Ready(Ok(()))
    }
}

impl Connection for MockPollStream {
    fn connected(&self) -> Connected {
        Connected::new()
    }
}