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
|
#![allow(unused_imports)]
use std::{
collections::HashMap,
io::{Read, Write},
net::{TcpListener, TcpStream},
sync::{Arc, Mutex},
thread,
time::{SystemTime, UNIX_EPOCH},
};
mod resp_commands;
mod resp_parser;
use resp_commands::RedisCommands;
use resp_parser::{parse, RespType};
#[derive(Debug, Clone)]
pub struct CacheEntry {
pub value: String,
pub expires_at: Option<u64>, // Unix timestamp in milliseconds
}
impl CacheEntry {
pub fn is_expired(&self) -> bool {
if let Some(expiry) = self.expires_at {
let now = SystemTime::now()
.duration_since(UNIX_EPOCH)
.unwrap()
.as_millis() as u64;
now > expiry
} else {
false
}
}
}
pub type SharedCache = Arc<Mutex<HashMap<String, CacheEntry>>>;
fn handle_client(mut stream: TcpStream, cache: SharedCache) {
let mut buffer = [0; 512];
loop {
let _ = match stream.read(&mut buffer) {
Ok(0) => return, // connection closed
Ok(n) => n,
Err(_) => return, // error occurred
};
let parsed_resp = parse(&buffer).unwrap();
let response = RedisCommands::from(parsed_resp.0).execute(cache.clone());
// write respose back to the client
stream.write(&response).unwrap();
}
}
fn main() -> std::io::Result<()> {
let listener = TcpListener::bind("127.0.0.1:6379").unwrap();
let cache: SharedCache = Arc::new(Mutex::new(HashMap::new()));
for stream in listener.incoming() {
match stream {
Ok(stream) => {
let cache_clone = cache.clone();
thread::spawn(|| {
handle_client(stream, cache_clone);
});
}
Err(e) => {
eprintln!("Connection failed: {}", e);
}
}
}
Ok(())
}
|