-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathcli.rs
120 lines (108 loc) · 2.95 KB
/
cli.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
use std::fs::{File, OpenOptions};
use anyhow::Result;
use clap::{Parser, Subcommand};
use crate::{
model::Item,
store::{add_item, create_storage, load_store, remove_item, sync_store},
};
#[derive(Parser)]
#[command(author, version, about, long_about = None)]
struct Cli {
#[command(subcommand)]
command: Commands,
}
#[derive(Subcommand, Debug)]
enum Commands {
/// Read data from storage
Read {
/// Read from this storage
storage: String,
/// Lists all storage contents
#[arg(name = "list", short, long)]
list: bool,
/// Gets the size of the storage
#[arg(name = "size", short, long, conflicts_with = "list")]
size: bool,
},
/// Create an empty storage
Create { storage: String },
/// Insert an item in storage
Insert {
/// Read from this storage
storage: String,
/// The username
user: String,
/// The password
password: String,
/// The description
description: String,
},
/// Remove an item from storage
Remove {
/// Remove from this storage
storage: String,
/// The id to remove
id: usize,
},
}
pub fn execute() -> Result<()> {
let cli = Cli::parse();
match cli.command {
Commands::Read {
storage,
list,
size,
} => {
let mut file = File::open(storage)?;
let storage = load_store(&mut file)?;
if list {
storage.iter().for_each(|(id, item)| {
println!("{id}\t{item}");
});
}
if size {
println!("The size of storage is: {}", storage.len());
}
}
Commands::Insert {
storage,
user,
password,
description,
} => {
let mut file = File::open(&storage)?;
let mut st = load_store(&mut file)?;
let item = Item::new(
Some(user.as_str()),
Some(password.as_str()),
Some(description.as_str()),
);
add_item(&mut st, item)?;
let mut file = OpenOptions::new()
.write(true)
.truncate(true)
.open(&storage)?;
sync_store(&mut st, &mut file)?;
}
Commands::Remove { storage, id } => {
let mut file = File::open(&storage)?;
let mut st = load_store(&mut file)?;
remove_item(&mut st, id)?;
let mut file = OpenOptions::new()
.write(true)
.truncate(true)
.open(storage)?;
sync_store(&mut st, &mut file)?;
}
Commands::Create { storage } => {
let mut file = File::create(storage)?;
create_storage(&mut file)?;
}
};
Ok(())
}
#[cfg(test)]
mod cli_tests {
#[test]
fn it_works() {}
}