A small tool for storing passwords locally with git sync
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

254 lines
6.9 KiB

7 months ago
use crate::paths;
7 months ago
use crate::encoder;
7 months ago
use crate::git;
7 months ago
use encoder::Encoder;
7 months ago
use std::collections::HashSet;
7 months ago
use std::hash::{Hash, Hasher};
7 months ago
7 months ago
use std::fs;
7 months ago
use std::path::Path;
7 months ago
use std::io::{self, Write, BufRead};
7 months ago
use std::fmt;
use std::cmp::{PartialEq, Ordering};
7 months ago
7 months ago
7 months ago
#[derive(Clone)]
pub struct Item {
pub id: String,
pub content: String
}
impl Item {
7 months ago
pub fn from(s: String, c: String) -> Item {
Item { id: s, content: c }
}
// used only to search in HashSet
pub fn from_empty(s: String) -> Item {
Item { id: s, content: String::from("") }
7 months ago
}
}
7 months ago
impl PartialEq for Item {
fn eq(&self, other: &Self) -> bool {
self.id == other.id
}
}
impl Eq for Item {}
impl Hash for Item {
fn hash<H: Hasher>(&self, state: &mut H) {
self.id.hash(state);
}
}
7 months ago
impl fmt::Display for Item {
7 months ago
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
7 months ago
writeln!(f, "{}", self.id)?;
writeln!(f, "---------")?;
writeln!(f, "{}", self.content)
}
}
impl PartialOrd for Item {
fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
self.id.partial_cmp(&other.id)
7 months ago
}
}
impl Ord for Item {
fn cmp(&self, other: &Self) -> Ordering {
self.id.cmp(&other.id)
}
}
7 months ago
pub struct Storage {
7 months ago
items: HashSet::<Item>,
encoder: Encoder
7 months ago
}
7 months ago
impl Storage {
7 months ago
pub fn new(passphrase: String) -> Storage {
Storage {
items: HashSet::<Item>::new(),
7 months ago
encoder: Encoder::from(&passphrase)
7 months ago
}
}
7 months ago
pub fn from_db(passphrase: String) -> io::Result<Storage> {
if !Storage::is_inited()? {
return Err(io::Error::new(
io::ErrorKind::Other,
"Storage is not initialized"
));
}
7 months ago
let encoder = Encoder::from(&passphrase);
7 months ago
let file = fs::File::open(paths::get_db_path()?)?;
7 months ago
let reader = io::BufReader::new(file);
let mut items = HashSet::<Item>::new();
let mut id: Option<String> = None;
7 months ago
let mut lines = reader.lines();
let passtest = match lines.next() {
Some(line) => line?,
7 months ago
None => return Err(
io::Error::new(io::ErrorKind::InvalidData,
"Bad storage db format: no passphrase in the beginnning"
)),
7 months ago
};
7 months ago
// TODO: only in debug mode
//println!("passphrase ok");
7 months ago
if !encoder.test_encoded_passphrase(passtest)? {
return Err(io::Error::new(io::ErrorKind::InvalidData, "Wrong passphrase"));
}
7 months ago
for line in lines {
7 months ago
match line {
Ok(line) => {
if id.is_none() {
7 months ago
let line = encoder.decrypt(line)?;
7 months ago
// TODO: only in debug mode
//println!("{}", line);
id = Some(line);
} else {
7 months ago
let content = encoder.decrypt(line)?;
7 months ago
// TODO: only in debug
//println!("{}", content);
items.insert(Item::from(id.unwrap(), content));
id = None;
}
7 months ago
},
Err(e) => {
eprintln!("Error reading line, {}", e);
7 months ago
}
}
}
7 months ago
Ok(Storage {
items,
encoder
7 months ago
})
7 months ago
}
7 months ago
pub fn init(passphrase: String) -> io::Result<()> {
//Storage::check_installed()?;
let sp = paths::get_storage_path()?;
fs::create_dir(sp)?;
7 months ago
let st = Storage::new(passphrase);
st.dump_db()?;
7 months ago
println!("Storage db created");
7 months ago
Ok(())
}
7 months ago
7 months ago
pub fn check_installed() -> io::Result<()> {
7 months ago
let sp = paths::get_storage_path()?;
7 months ago
let storage_path = Path::new(&sp);
// Check if the folder exists and is a directory
if !storage_path.exists() || !storage_path.is_dir() {
return Err(io::Error::new(
io::ErrorKind::NotFound,
7 months ago
format!("{} does not exist or not a dir", sp)
7 months ago
));
}
7 months ago
let git_path = storage_path.join(".git");
if !git_path.exists() || !git_path.is_dir() {
return Err(io::Error::new(
io::ErrorKind::NotFound,
7 months ago
format!("{} not under git", sp)
7 months ago
));
}
7 months ago
Ok(())
}
pub fn is_inited() -> io::Result<bool> {
//Storage::check_installed()?;
7 months ago
let db = paths::get_db_path()?;
7 months ago
let db_path = Path::new(&db);
Ok(db_path.exists())
7 months ago
}
7 months ago
pub fn ids(&self) -> Vec<String> {
let mut result = Vec::new();
for item in self.items.iter() {
result.push(item.id.clone());
}
result.sort();
result
}
7 months ago
pub fn contains(&self, id: &String) -> bool {
let item = Item::from_empty(id.clone());
self.items.contains(&item)
}
// TODO: return Result<Item>
7 months ago
pub fn get(&self, id: &String) -> &Item {
let item = Item::from_empty(id.clone());
self.items.get(&item).unwrap()
}
/// Counting starts from 1, according to UI
pub fn get_id_by_number(&self, number: u32) -> io::Result<String> {
let number = number as usize;
if number == 0 {
return Err(io::Error::new(
io::ErrorKind::InvalidInput,
"Items numbering starts from 1"
));
}
let ids = self.ids();
6 months ago
if number > ids.len() {
return Err(io::Error::new(
io::ErrorKind::InvalidInput,
format!("There are only {} items, but asked with number {}", ids.len(), number)
));
}
Ok(ids[number - 1].clone())
}
7 months ago
7 months ago
pub fn add(&mut self, item: Item) {
self.items.insert(item);
}
7 months ago
pub fn update(&mut self, item: Item) {
self.items.remove(&item);
self.items.insert(item);
}
7 months ago
pub fn remove(&mut self, id: &String) {
let item = Item::from_empty(id.clone());
self.items.remove(&item);
}
7 months ago
pub fn dump(&self) -> io::Result<()> {
self.dump_db()?;
git::Git::sync()?;
Ok(())
}
fn dump_db(&self) -> io::Result<()> {
7 months ago
let mut file = fs::OpenOptions::new()
.write(true)
6 months ago
.truncate(true) // Clear the file content before writing
.create(true)
7 months ago
.open(paths::get_db_path()?)?;
7 months ago
writeln!(file, "{}", self.encoder.get_encoded_test_passphrase()?)?;
7 months ago
for item in self.items.iter() {
7 months ago
writeln!(file, "{}", self.encoder.encrypt(&item.id)?)?;
7 months ago
let content = self.encoder.encrypt(&item.content)?;
writeln!(file, "{}", content)?;
7 months ago
}
Ok(())
}
6 months ago
pub fn new_from_passphrase(&self, passphrase: &String) -> Storage {
return Storage {
encoder: Encoder::from(passphrase),
items: self.items.clone()
}
}
7 months ago
}
7 months ago