$ cargo new hello –bin
use std::net::TcpListener; fn main() { let listner = TcpListener::bind("127.0.0.1:7878").unwrap(); for stream in listner.incoming() { let stream = stream.unwrap(); println!("Connection established!"); } }
ターミナルから、リクエストを送信する
$ ping http://127.0.0.1:7878/
ping: http://127.0.0.1:7878/: Name or service not known
すると、サーバ側では、
Running `target/debug/hello`
Connection established!
Connection established!
Connection established!
Connection established!
…
use std::io::prelude::*; use std::net::TcpStream; use std::net::TcpListener; fn main() { let listner = TcpListener::bind("127.0.0.1:7878").unwrap(); for stream in listner.incoming() { let stream = stream.unwrap(); handle_connection(stream); } } fn handle_connection(mut stream: TcpStream) { let mut buffer = [0; 1024]; stream.read(&mut buffer).unwrap(); println!("Request: {}", String::from_utf8_lossy(&buffer[..])); }
fn handle_connection(mut stream: TcpStream) { let mut buffer = [0; 1024]; stream.read(&mut buffer).unwrap(); let mut file = File::open("hello.html").unwrap(); let mut contents = String::new(); file.read_to_string(&mut contents).unwrap(); let response = format!("HTTP/1.1 200 OK\r\n\r\n", contents); stream.write(response.as_bytes()).unwrap(); stream.flush().unwrap(); }
fn handle_connection(mut stream: TcpStream) { let mut buffer = [0; 1024]; stream.read(&mut buffer).unwrap(); let mut file = File::open("hello.html").unwrap(); let mut contents = String::new(); file.read_to_string(&mut contents).unwrap(); let response = format!("HTTP/1.1 200 OK\r\n\r\n{}", contents); stream.write(response.as_bytes()).unwrap(); stream.flush().unwrap(); }
これで、curl http://127.0.0.1:7878を打つと、htmlが返ってくる
fn handle_connection(mut stream: TcpStream) { let mut buffer = [0; 1024]; stream.read(&mut buffer).unwrap(); let get = b"GET / HTTP/1.1\r\n"; if buffer.starts_with(get) { let mut file = File::open("hello.html").unwrap(); let mut contents = String::new(); file.read_to_string(&mut contents).unwrap(); let response = format!("HTTP/1.1 200 OK\r\n\r\n{}", contents); stream.write(response.as_bytes()).unwrap(); stream.flush().unwrap(); } else { let status_line = "HTTP/1.1 404 NOT FOUND\r\n\r\n"; let mut file = File::open("404.html").unwrap(); let mut contents = String::new(); file.read_to_string(&mut contents).unwrap(); let response = format!("{} {}", status_line, contents); stream.write(response.as_bytes()).unwrap(); stream.flush().unwrap(); } }