Rust Todo-list

1. プロジェクトの作成と依存関係の追加

まず、Rustプロジェクトを作成し、必要なクレートを追加します。

bashコードをコピーする
argo new advanced_todo_list
cd advanced_todo_list

Cargo.tomlに以下の依存関係を追加します。

tomlコードをコピーする
[dependencies]
serde = { version = "1.0", features = ["derive"] }
serde_json = "1.0"
clap = { version = "4.0", features = ["derive"] }

2. コード全体の実装

次に、src/main.rsに以下のコードを記述します。clapを使ってコマンドライン引数を処理するように変更しています。

use clap::{Parser, Subcommand};
use serde::{Serialize, Deserialize};
use std::fs::OpenOptions;
use std::io::{self, Read, Write};
use std::time::SystemTime;

#[derive(Serialize, Deserialize, Debug)]
struct TodoItem {
id: usize,
task: String,
description: String,
priority: String, // e.g., "High", "Medium", "Low"
due_date: Option<String>, // Due date in "YYYY-MM-DD" format
completed: bool,
created_at: SystemTime,
}

impl TodoItem {
fn new(id: usize, task: String, description: String, priority: String, due_date: Option<String>) -> Self {
TodoItem {
id,
task,
description,
priority,
due_date,
completed: false,
created_at: SystemTime::now(),
}
}

fn mark_as_completed(&mut self) {
self.completed = true;
}
}

#[derive(Parser)]
#[command(name = "Todo List")]
#[command(about = "A simple todo list application", long_about = None)]
struct Cli {
#[command(subcommand)]
command: Option<Command>,
}

#[derive(Subcommand)]
enum Command {
Add {
task: String,
description: String,
priority: String,
due_date: Option<String>,
},
List,
Edit {
id: usize,
},
Delete {
id: usize,
},
Complete {
id: usize,
},
}

fn load_todos() -> Vec<TodoItem> {
let mut file = match OpenOptions::new().read(true).open("todos.json") {
Ok(file) => file,
Err(_) => return Vec::new(),
};
let mut content = String::new();
file.read_to_string(&mut content).unwrap();
serde_json::from_str(&content).unwrap_or(Vec::new())
}

fn save_todos(todos: &Vec<TodoItem>) {
let content = serde_json::to_string_pretty(todos).unwrap();
let mut file = OpenOptions::new().write(true).create(true).truncate(true).open("todos.json").unwrap();
file.write_all(content.as_bytes()).unwrap();
}

fn add_todo(task: String, description: String, priority: String, due_date: Option<String>) {
let mut todos = load_todos();
let id = if todos.is_empty() { 1 } else { todos.last().unwrap().id + 1 };
let new_todo = TodoItem::new(id, task, description, priority, due_date);
todos.push(new_todo);
save_todos(&todos);
println!("Task added!");
}

fn list_todos() {
let mut todos = load_todos();
todos.sort_by(|a, b| a.priority.cmp(&b.priority)); // Sort by priority

for todo in &todos {
println!(
"[{}] {} - {} (Priority: {}, Due: {}, Completed: {})",
todo.id,
todo.task,
todo.description,
todo.priority,
todo.due_date.as_deref().unwrap_or("N/A"),
if todo.completed { "Yes" } else { "No" }
);
}
}

fn edit_todo(id: usize) {
let mut todos = load_todos();

if let Some(todo) = todos.iter_mut().find(|t| t.id == id) {
println!("Editing task: {}", todo.task);

let mut new_description = String::new();
println!("Enter new description (leave blank to keep current):");
io::stdin().read_line(&mut new_description).unwrap();
if !new_description.trim().is_empty() {
todo.description = new_description.trim().to_string();
}

let mut new_priority = String::new();
println!("Enter new priority (High, Medium, Low, leave blank to keep current):");
io::stdin().read_line(&mut new_priority).unwrap();
if !new_priority.trim().is_empty() {
todo.priority = new_priority.trim().to_string();
}

save_todos(&todos);
println!("Task updated!");
} else {
println!("Task not found!");
}
}

fn delete_todo(id: usize) {
let mut todos = load_todos();
todos.retain(|todo| todo.id != id);
save_todos(&todos);
println!("Task deleted!");
}

fn complete_todo(id: usize) {
let mut todos = load_todos();

if let Some(todo) = todos.iter_mut().find(|t| t.id == id) {
todo.mark_as_completed();
save_todos(&todos);
println!("Task marked as completed!");
} else {
println!("Task not found!");
}
}

fn main() {
let args = Cli::parse();

match args.command {
Some(Command::Add { task, description, priority, due_date }) => {
add_todo(task, description, priority, due_date);
}
Some(Command::List) => {
list_todos();
}
Some(Command::Edit { id }) => {
edit_todo(id);
}
Some(Command::Delete { id }) => {
delete_todo(id);
}
Some(Command::Complete { id }) => {
complete_todo(id);
}
None => {
println!("No command provided. Use --help for available commands.");
}
}
}

3. 実行方法

UTF-8で保存されたこのファイルをコンパイルして実行します。コマンドの例は以下の通りです。

  • 新しいタスクの追加:bashコードをコピーするcargo run -- add "Buy groceries" "Buy milk, eggs, and bread" "High" "2024-10-10"
  • タスクのリスト表示:bashコードをコピーするcargo run -- list
  • タスクの編集:bashコードをコピーするcargo run -- edit 1
  • タスクの削除:bashコードをコピーするcargo run -- delete 1
  • タスクの完了:bashコードをコピーするcargo run -- complete 1

説明

  • clapクレートを使用してコマンドライン引数のパースを行います。これにより、タスクの追加や表示、編集、削除、完了などの操作をコマンドラインから行うことができます。
  • UTF-8エンコーディングmain.rsを保存し、エンコーディングエラーを回避しています。

これで、タスクの管理を行うためのコマンドラインTODOリストアプリケーションが完成しました。