Merge pull request 'Add User Control Over State Transitions' (#7) from 03/state-transitions into main

Reviewed-on: #7
This commit is contained in:
seb 2025-07-07 18:13:06 -06:00
commit bd41704906
2 changed files with 63 additions and 1 deletions

View file

@ -1,10 +1,11 @@
use core::fmt;
use std::io::Write;
use std::str::FromStr;
#[cfg(feature = "log")]
use log::debug;
#[derive(Debug, PartialEq, serde::Deserialize)]
#[derive(Clone, Debug, PartialEq, serde::Deserialize)]
/// These are the states an issue can be in.
pub enum State {
New,
@ -62,6 +63,21 @@ impl FromStr for State {
}
}
impl fmt::Display for State {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
let fmt_str = match self {
State::New => "new",
State::Backlog => "backlog",
State::Blocked => "blocked",
State::InProgress => "inprogress",
State::Done => "done",
State::WontDo => "wontdo",
};
write!(f, "{fmt_str}")
}
}
impl Issue {
pub fn new_from_dir(dir: &std::path::Path) -> Result<Self, IssueError> {
let mut description: Option<String> = None;
@ -157,6 +173,23 @@ impl Issue {
None => self.description.as_str(),
}
}
pub fn set_state(&mut self, new_state: State) -> Result<(), IssueError> {
let mut state_filename = std::path::PathBuf::from(&self.dir);
state_filename.push("state");
let mut state_file = std::fs::File::create(&state_filename)?;
write!(state_file, "{}", new_state)?;
crate::git::git_commit_file(&state_filename)?;
Ok(())
}
pub fn read_state(&mut self) -> Result<(), IssueError> {
let mut state_filename = std::path::PathBuf::from(&self.dir);
state_filename.push("state");
let state_string = std::fs::read_to_string(state_filename)?;
self.state = State::from_str(state_string.trim())?;
Ok(())
}
}
#[cfg(test)]