Rust   Todo   |   CRUD 完成品   |   with Rusqlite

ホーム  

概要

Axum、Askama、Rusqliteの組み合わせでTodoウエブアプリケーションのCreate、Read、Update、Deleteを実装しています。

Edit ボタンをクリックすると、Delete と Update ボタンが表示されます。もう一度 Edit ボタンをクリックすると、 Delete と Update ボタンは非表示になります。


SQLite

2025年9月29日 この節を追加しました。

このコーナーでは、データベースとして SQLite を使っています。 SQLite を次のようにしてインストールしてください。


# Debian 系にインストールする
sudo apt install sqlite3
sudo apt install libsqlite3-dev

# RPM 系にインストールする
sudo dnf install sqlite
sudo dnf install sqlite-devel

# macOS にインストールする、次のコマンドだけでデベロッパーライブラリもインストールされます。
brew install sqlite

# Windows にインストールする
SQLite をインストールすることはできますが、デベロッパーライブラリのインストールにはまだ成功していません。
ライブラリのインストールは不要との説もありますが、実際には動作しません。


Cargo.toml


[package]
name = "todo"
version = "0.1.0"
edition = "2024"

[dependencies]
askama = "0.14.0"
axum = "0.8.4"
tokio = { version = "1.0", features = ["full"] }
tower-http = { version = "0.6.6", features = ["full"] }
serde = { version = "1.0.225", features = ["derive"] }
rusqlite = { version = "0.37.0", features = ["bundled"] }


main.rs


//******************************
// main.rs
// copyright   : vivacocoa.jp
// last modified: Sep. 20. 2025
//******************************
use axum::{response::{Html, IntoResponse, Redirect}, routing::{get, post}, Router, Form};
use askama::Template;
use serde::Deserialize;
use tower_http::services::ServeDir;
use rusqlite::params;

#[derive(Template)]
#[template(path = "index.html")]
struct Todos
{
    todos: Vec<Todo>,
}
#[derive(Clone)]
struct Todo
{
    id: u64,
    message: String,
}
#[derive(Deserialize)]
struct FormData {
    id: u64,
    message: String,
}

#[tokio::main]
async fn main() {
    let connection = rusqlite::Connection::open("test.db").unwrap();

    connection.execute("
        CREATE TABLE IF NOT EXISTS users (
            id INTEGER PRIMARY KEY AUTOINCREMENT, 
            todo TEXT
        )
    ", []).unwrap();

    let serve_dir = ServeDir::new("public");

    let app = Router::new()
        .nest_service("/static", serve_dir)
        .route("/", get(index))
        .route("/create", post(create))
        .route("/update", post(update))
        .route("/delete", post(delete));
        
    let listener = tokio::net::TcpListener::bind("127.0.0.1:3000").await.unwrap();
    let addr = listener.local_addr().unwrap();
    println!("Listening on {}", addr);
    axum::serve(listener, app).await.unwrap();
}

async fn index() -> impl IntoResponse
{
    let connection = rusqlite::Connection::open("test.db").unwrap();
    let mut stat = connection.prepare("SELECT * FROM users").unwrap();
    let mut rows = stat.query([]).unwrap();

    let mut todos = Vec::new();
    while let Some(row) =  rows.next().unwrap() {
        let i_d: u64 = row.get(0).unwrap();
            let todo: String = row.get(1).unwrap();
            todos.push(Todo {message: todo, id: i_d});
    }
    let _ = todos.clone().into_iter().collect::<Vec<_>>();
    let todos = Todos { todos };
    Html(todos.render().unwrap()).into_response()
}

async fn create(Form(data): Form<FormData>) -> Redirect
{
    let connection = rusqlite::Connection::open("test.db").unwrap();
    connection. execute ( "INSERT INTO users (todo) VALUES (?1)", (data.message,)). unwrap ();
    let _ = connection.close().unwrap();
    Redirect::to("/")
}

async fn update(Form(data): Form<FormData>) -> Redirect
{
    let _msg = data.message;
    let _id = data.id;
    let connection = rusqlite::Connection::open("test.db").unwrap();
    let _ = connection.execute("UPDATE users SET todo = ?1 WHERE id = ?2", params![_msg, _id],);
    let _ = connection.close().unwrap();
    Redirect::to("/")
}

async fn delete(Form(data): Form<FormData>) -> Redirect
{
    let connection = rusqlite::Connection::open("test.db").unwrap();
    let _ = connection.execute("DELETE FROM users WHERE id = ?", (data.id,));
    let _ = connection.close().unwrap();
    Redirect::to("/")
}


index.html

プロジェクトのルートディレクトリに templates というディレクトリを作り、 その中に次の index.html を作ります。


<!-----------------------------
  index.html
  copyright    : vivacocoa.jp
  last modified: Sep. 20, 2025
 ------------------------------>
<!DOCTYPE html>
<html lang="ja">

<head>
  <meta charset="UTF-8">
  <meta name="viewport" content="width=device-width, initial-scale=1.0">
  <title>Todo</title>
  <link rel="stylesheet" href="/static/style.css">
</head>

<body>
  <div class="container">
    <h1>Todo</h1>
    <form method="post" action="/create">
      <div class="h-layout">
        <input type="text" name="message" required maxlength="30">
        <input type="hidden" name="id" value="1">
        <button class="btn-black">Create</button>
      </div>
    </form>
    {%for todo in todos %}
    
    <div class="h-layout-2">
      <p class="todo" id=p{{todo.id}}>{{ todo.message }}</p>
      <button type="button" class="btn-white" onclick="toggle('elm{{todo.id}}')">Edit</button>
    </div>
    
    <div id=elm{{todo.id}} hidden class="todo2">
      <div class="h-layout-2">
        <form method="post" action="/update" id=f{{todo.id}}>
          <input type="hidden" name="id" value={{todo.id}}>
          <input type="hidden" name="message" value={{todo.message}} id=i{{todo.id}}>
          <button hidden>submit</button>
        </form>
        <button type="submit" class="btn-white2" id=b{{todo.id}}
          onclick="updatebtn('i{{todo.id}}', 'f{{todo.id}}', '{{todo.message}}')">Update</button>
        <form method="post" action="/delete">
          <input type="hidden" name="id" value={{todo.id}}>
          <input type="hidden" name="message" value={{todo.message}}>
          <button class="btn-white3" onclick="return confirm('削除してよろしいですか?');">Delete</button>
        </form>
      </div>
    </div>
    
    
    {% endfor %}
  </div>
  <script>
    function toggle(elm) {
      const e = document.getElementById(elm);
      e.hidden = !e.hidden;
    }
    function updatebtn(i, f, msg) {
      var msg = prompt('アップデートを入力してください。', msg)
      if (msg !== null && msg !== '') {
        document.getElementById(i).setAttribute('value', msg);
        document.getElementById(f).submit();
      }
    }
  </script>
</body>

</html>


style.css

プロジェクトのルートディレクトリに public というディレクトリを作り、 その中に次の style.css を作ります。


/*****************************
style.css
copyright    : vivacocoa.jp
last modified: Sep. 20, 2025
******************************/
body {
  background-color: #efefef;
}

.container {
  width: 500px;
  margin: 16px auto;
}

h1 {
  font-size: 20px;
}

.todo {
  height: 80px;
  width: 100%;
  border-radius: 4px;
  padding: 0px 8px;
  line-height: 80px;
  box-sizing: border-box;
  background-color: white;
  margin-bottom: 0px;
}

.todo2 {
  height: 35px;
  width: 100%;
  border-radius: 4px;
  padding: 0px 8px;
  line-height: 80px;
  box-sizing: border-box;
  background-color: #efefef;
  margin-bottom: 0px;
}

.h-layout {
  display: flex;
}

input {
  height: 25px;
  width: 100%;
  padding: 4px;
  border: solid 0px #efefef;
  border-radius: 4px;
}

.btn-black {
  background-color: black;
  width: 60px;
  color: white;
  border-radius: 4px;
}

.h-layout-2 {
  display: flex;
  position: relative;
}

.btn-white {
  background-color: white;
  border: solid 1px lightgray;
  border-radius: 4px;
  color: gray;
  width: 50px;
  height: 30px;
  position: absolute;
  right: 4px;
  bottom: 4px;
}

.btn-white2 {
  background-color: white;
  border: solid 1px lightgray;
  border-radius: 4px;
  color: gray;
  width: 60px;
  height: 30px;
  position: absolute;
  right: 0px;
  top: 10px;
}

.btn-white3 {
  background-color: white;
  border: solid 1px lightgray;
  border-radius: 4px;
  color: gray;
  width: 55px;
  height: 30px;
  position: absolute;
  right: 65px;
  top: 10px;
}

ターミナルでプロジェクトのルートディレクトリに移動して、cargo run とコマンドしてサーバーを起動してください。 そしてお使いのブラウザで localhost:3000 もしくは 127.0.0.1:3000 を開いてください。


本番サーバーで試す

本番サーバーで試したい場合は、 簡易デプロイ を参考にしてください。

Edit ボタンをクリックすると、Delete と Update ボタンが表示されます。もう一度 Edit ボタンをクリックすると、 Delete と Update ボタンは非表示になります。



1039 visits
Posted: Sep. 20, 2025
Update: Sep. 29, 2025

ホーム   目次