mirror of https://github.com/KaiserY/trpl-zh-cn
You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
44 lines
1.1 KiB
44 lines
1.1 KiB
use hello::ThreadPool;
|
|
use std::{
|
|
fs,
|
|
io::{prelude::*, BufReader},
|
|
net::{TcpListener, TcpStream},
|
|
thread,
|
|
time::Duration,
|
|
};
|
|
|
|
fn main() {
|
|
let listener = TcpListener::bind("127.0.0.1:7878").unwrap();
|
|
let pool = ThreadPool::new(4);
|
|
|
|
for stream in listener.incoming() {
|
|
let stream = stream.unwrap();
|
|
|
|
pool.execute(|| {
|
|
handle_connection(stream);
|
|
});
|
|
}
|
|
}
|
|
|
|
fn handle_connection(mut stream: TcpStream) {
|
|
let buf_reader = BufReader::new(&mut stream);
|
|
let request_line = buf_reader.lines().next().unwrap().unwrap();
|
|
|
|
let (status_line, filename) = match &request_line[..] {
|
|
"GET / HTTP/1.1" => ("HTTP/1.1 200 OK", "hello.html"),
|
|
"GET /sleep HTTP/1.1" => {
|
|
thread::sleep(Duration::from_secs(5));
|
|
("HTTP/1.1 200 OK", "hello.html")
|
|
}
|
|
_ => ("HTTP/1.1 404 NOT FOUND", "404.html"),
|
|
};
|
|
|
|
let contents = fs::read_to_string(filename).unwrap();
|
|
let length = contents.len();
|
|
|
|
let response =
|
|
format!("{status_line}\r\nContent-Length: {length}\r\n\r\n{contents}");
|
|
|
|
stream.write_all(response.as_bytes()).unwrap();
|
|
}
|