Перейти к содержанию

Как создать блог в Rust — Статический файловый сервер

Posted on:3 марта 2023 г. at 08:35

Example Dynamic OG Image link

Инициализация проекта

cargo new blog

Прослушивание порта 8000 и ответ 404

use std::{
    io::{prelude::*},
    net::{TcpListener, TcpStream},
};

fn main() {
    let listener = TcpListener::bind("[::]:8000").unwrap();

    for stream in listener.incoming() {
        let stream = stream.unwrap();

        handle_connection(stream);
    }
}

fn handle_connection(mut stream: TcpStream) {
    let status_line = "HTTP/1.1 404 NOT FOUND";
    let contents = String::new();

    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();
}

Запуск приложения

cargo run

Тестирование приложения

curl localhost:8000

В качестве альтернативы вы можете открыть http://localhost:8000 в вашем браузере.

Анализ пути запроса

Добавьте регулярное выражение в Cargo.toml.

[package]
name = "http-server"
version = "0.1.0"
edition = "2023"

# Смотрите больше ключей и их определений по адресу https://doc.rust-lang.org/cargo/reference/manifest.html

[dependencies]
regex = "1"

Добавим парсер роутеров.

use std::{
	io::{prelude::*, BufReader},
    net::{TcpListener, TcpStream},
};
use regex::Regex;

fn main() {
    let listener = TcpListener::bind("[::]:8000").unwrap();

    for stream in listener.incoming() {
        let stream = stream.unwrap();

        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 re = Regex::new(r"^(.*) (.*) (.*)$").unwrap();
    let caps = re.captures(&request_line).unwrap();
    let pathname = caps.get(2).map_or("", |m| m.as_str());

    println!("{pathname}");

    let status_line = "HTTP/1.1 404 NOT FOUND";
    let contents = String::new();

    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();
}

Проверяем

Перезапустите программу с помощью cargo run. Теперь из браузера вы можете попробовать различные варианты URL-адресов http://localhost:8000 и убедитесь, что они правильно напечатаны в консоли.

Считать файл в строку и вернуть как ответ

use std::{
    io::{prelude::*, BufReader},
    net::{TcpListener, TcpStream},
};
use std::path::Path;
use regex::Regex;

fn main() {
    let listener = TcpListener::bind("[::]:8000").unwrap();

    for stream in listener.incoming() {
        let stream = stream.unwrap();

        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 re = Regex::new(r"^(.*) (.*) (.*)$").unwrap();
    let caps = re.captures(&request_line).unwrap();
    let pathname = caps.get(2).map_or("", |m| m.as_str());
    let mut filename = "index.html";
    if pathname != "/" {
        filename = &pathname[1..];
    }

    let mut status_line = "HTTP/1.1 404 NOT FOUND";
    let mut contents = String::new();

    let full_file_path = format!("{}{}", "static/", filename);
    if Path::new(&full_file_path).exists() {
        status_line = "HTTP/1.1 200 OK";
        contents = fs::read_to_string(&full_file_path).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();
}

Добавить несколько HTML-страниц

Создать static/index.html.

<!-- static/index.html -->
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Home</title>
</head>
<body>
  <a href="/hello-world.html">Hello World</a>
</body>
</html>

Создать static/hello-world.html.

<!-- static/hello-world.html -->
<html lang="en">
<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Hello World</title>
</head>
<body>
  <h1>Hello World</h1>
</body>
</html>

Подведение итогов

В этой статье мы создали простой статический файловый сервер с использованием Rust. Этот сервер уже достаточно функционален, чтобы его можно было использовать для ведения блога. Все, что вам нужно было бы сделать, это добавить новые html-страницы с публикациями и обновить index.html чтобы люди могли узнать о них с первой страницы.