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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
use core::fmt::Display;
use futures::io::{AsyncBufReadExt, AsyncRead, AsyncReadExt, AsyncWrite, AsyncWriteExt, BufReader};
use std::io::{Error, ErrorKind};
use std::marker::Unpin;
pub struct Protocol<S: AsyncRead + AsyncWrite> {
io: S,
}
impl<S> Protocol<S>
where
S: AsyncRead + AsyncWrite + Unpin,
{
pub fn new(io: S) -> Self {
Self { io }
}
pub async fn get<'a, K: Display>(&'a mut self, key: &'a K) -> Result<Vec<u8>, Error> {
let header = format!("get {}\r\n", key);
self.io.write_all(header.as_bytes()).await?;
self.io.flush().await?;
let mut reader = BufReader::new(&mut self.io);
let header = {
let mut buf = vec![];
drop(reader.read_until(b'\n', &mut buf).await?);
String::from_utf8(buf).map_err(|_| Error::from(ErrorKind::InvalidInput))?
};
if header.contains("ERROR") {
return Err(Error::new(ErrorKind::Other, header));
} else if header.starts_with("END") {
return Err(ErrorKind::NotFound.into());
}
let length_str = header.trim_end().rsplitn(2, ' ').next();
let length: usize = match length_str {
Some(x) => x
.parse()
.map_err(|_| Error::from(ErrorKind::InvalidInput))?,
None => return Err(ErrorKind::InvalidInput.into()),
};
let mut buffer: Vec<u8> = vec![0; length];
drop(reader.read_exact(&mut buffer).await?);
let mut buf = vec![];
drop(reader.read_until(b'\n', &mut buf).await?);
drop(reader.read_until(b'\n', &mut buf).await?);
Ok(buffer)
}
pub async fn set<'a, K: Display>(
&'a mut self,
key: &'a K,
val: &'a [u8],
expiration: u32,
) -> Result<(), Error> {
let header = format!("set {} 0 {} {} noreply\r\n", key, expiration, val.len());
self.io.write_all(header.as_bytes()).await?;
self.io.write_all(val).await?;
self.io.write_all(b"\r\n").await?;
self.io.flush().await?;
Ok(())
}
}
#[cfg(test)]
mod tests {
use futures::executor::block_on;
use futures::io::{AsyncRead, AsyncWrite};
use std::io::{Cursor, Error, ErrorKind, Read, Write};
use std::pin::Pin;
use std::task::{Context, Poll};
struct Cache {
r: Cursor<Vec<u8>>,
w: Cursor<Vec<u8>>,
}
impl Cache {
fn new() -> Self {
Cache {
r: Cursor::new(Vec::new()),
w: Cursor::new(Vec::new()),
}
}
}
impl AsyncRead for Cache {
fn poll_read(
self: Pin<&mut Self>,
_cx: &mut Context,
buf: &mut [u8],
) -> Poll<Result<usize, Error>> {
Poll::Ready(self.get_mut().r.read(buf))
}
}
impl AsyncWrite for Cache {
fn poll_write(
self: Pin<&mut Self>,
_cx: &mut Context,
buf: &[u8],
) -> Poll<Result<usize, Error>> {
Poll::Ready(self.get_mut().w.write(buf))
}
fn poll_flush(self: Pin<&mut Self>, _cx: &mut Context) -> Poll<Result<(), Error>> {
Poll::Ready(self.get_mut().w.flush())
}
fn poll_close(self: Pin<&mut Self>, _cx: &mut Context) -> Poll<Result<(), Error>> {
Poll::Ready(Ok(()))
}
}
#[test]
fn test_ascii_get() {
let mut cache = Cache::new();
cache
.r
.get_mut()
.extend_from_slice(b"VALUE foo 0 3\r\nbar\r\nEND\r\n");
let mut ascii = super::Protocol::new(&mut cache);
assert_eq!(block_on(ascii.get(&"foo")).unwrap(), b"bar");
assert_eq!(cache.w.get_ref(), b"get foo\r\n");
}
#[test]
fn test_ascii_get_empty() {
let mut cache = Cache::new();
cache.r.get_mut().extend_from_slice(b"END\r\n");
let mut ascii = super::Protocol::new(&mut cache);
assert_eq!(
block_on(ascii.get(&"foo")).unwrap_err().kind(),
ErrorKind::NotFound
);
assert_eq!(cache.w.get_ref(), b"get foo\r\n");
}
#[test]
fn test_ascii_set() {
let (key, val, ttl) = ("foo", "bar", 5);
let mut cache = Cache::new();
let mut ascii = super::Protocol::new(&mut cache);
block_on(ascii.set(&key, val.as_bytes(), ttl)).unwrap();
assert_eq!(
cache.w.get_ref(),
&format!("set {} 0 {} {} noreply\r\n{}\r\n", key, ttl, val.len(), val)
.as_bytes()
.to_vec()
);
}
}