workspace: propagate I/O errors gracefully

This commit is contained in:
Benjamin Saunders 2022-10-27 20:57:44 -07:00
parent 8e2dd4b406
commit cfa46c50e2
4 changed files with 69 additions and 31 deletions

View file

@ -15,11 +15,11 @@
use std::cell::RefCell;
use std::collections::{HashMap, HashSet};
use std::fmt::{Debug, Formatter};
use std::fs;
use std::io::ErrorKind;
use std::ops::Deref;
use std::path::{Path, PathBuf};
use std::sync::{Arc, Mutex};
use std::{fs, io};
use itertools::Itertools;
use thiserror::Error;
@ -967,3 +967,24 @@ impl MutableRepo {
#[derive(Debug, Copy, Clone, Error)]
#[error("Cannot rewrite the root commit")]
pub struct RewriteRootCommit;
#[derive(Debug, Error)]
#[error("Cannot access {path}")]
pub struct PathError {
pub path: PathBuf,
#[source]
pub error: io::Error,
}
pub(crate) trait IoResultExt<T> {
fn context(self, path: impl AsRef<Path>) -> Result<T, PathError>;
}
impl<T> IoResultExt<T> for io::Result<T> {
fn context(self, path: impl AsRef<Path>) -> Result<T, PathError> {
self.map_err(|error| PathError {
path: path.as_ref().to_path_buf(),
error,
})
}
}

View file

@ -13,7 +13,7 @@
// limitations under the License.
use std::fs::File;
use std::io::{Read, Write};
use std::io::{self, Read, Write};
use std::path::{Path, PathBuf};
use std::sync::Arc;
@ -23,22 +23,26 @@ use crate::backend::Backend;
use crate::git_backend::GitBackend;
use crate::local_backend::LocalBackend;
use crate::op_store::WorkspaceId;
use crate::repo::{BackendFactories, ReadonlyRepo, RepoLoader};
use crate::repo::{BackendFactories, IoResultExt, PathError, ReadonlyRepo, RepoLoader};
use crate::settings::UserSettings;
use crate::working_copy::WorkingCopy;
#[derive(Error, Debug, PartialEq, Eq)]
#[derive(Error, Debug)]
pub enum WorkspaceInitError {
#[error("The destination repo ({0}) already exists")]
DestinationExists(PathBuf),
#[error(transparent)]
Path(#[from] PathError),
}
#[derive(Error, Debug, PartialEq, Eq)]
#[derive(Error, Debug)]
pub enum WorkspaceLoadError {
#[error("The repo appears to no longer be at {0}")]
RepoDoesNotExist(PathBuf),
#[error("There is no Jujutsu repo in {0}")]
NoWorkspaceHere(PathBuf),
#[error(transparent)]
Path(#[from] PathError),
}
/// Represents a workspace, i.e. what's typically the .jj/ directory and its
@ -53,11 +57,12 @@ pub struct Workspace {
fn create_jj_dir(workspace_root: &Path) -> Result<PathBuf, WorkspaceInitError> {
let jj_dir = workspace_root.join(".jj");
if jj_dir.exists() {
Err(WorkspaceInitError::DestinationExists(jj_dir))
} else {
std::fs::create_dir(&jj_dir).unwrap();
Ok(jj_dir)
match std::fs::create_dir(&jj_dir).context(&jj_dir) {
Ok(()) => Ok(jj_dir),
Err(ref e) if e.error.kind() == io::ErrorKind::AlreadyExists => {
Err(WorkspaceInitError::DestinationExists(jj_dir))
}
Err(e) => Err(e.into()),
}
}
@ -67,9 +72,9 @@ fn init_working_copy(
workspace_root: &Path,
jj_dir: &Path,
workspace_id: WorkspaceId,
) -> (WorkingCopy, Arc<ReadonlyRepo>) {
) -> Result<(WorkingCopy, Arc<ReadonlyRepo>), WorkspaceInitError> {
let working_copy_state_path = jj_dir.join("working_copy");
std::fs::create_dir(&working_copy_state_path).unwrap();
std::fs::create_dir(&working_copy_state_path).context(&working_copy_state_path)?;
let mut tx = repo.start_transaction(&format!("add workspace '{}'", workspace_id.as_str()));
tx.mut_repo().check_out(
@ -86,17 +91,21 @@ fn init_working_copy(
repo.op_id().clone(),
workspace_id,
);
(working_copy, repo)
Ok((working_copy, repo))
}
impl Workspace {
fn new(workspace_root: &Path, working_copy: WorkingCopy, repo_loader: RepoLoader) -> Workspace {
let workspace_root = workspace_root.canonicalize().unwrap();
Workspace {
fn new(
workspace_root: &Path,
working_copy: WorkingCopy,
repo_loader: RepoLoader,
) -> Result<Workspace, PathError> {
let workspace_root = workspace_root.canonicalize().context(&workspace_root)?;
Ok(Workspace {
workspace_root,
repo_loader,
working_copy,
}
})
}
pub fn init_local(
@ -138,7 +147,7 @@ impl Workspace {
) -> Result<(Self, Arc<ReadonlyRepo>), WorkspaceInitError> {
let jj_dir = create_jj_dir(workspace_root)?;
let repo_dir = jj_dir.join("repo");
std::fs::create_dir(&repo_dir).unwrap();
std::fs::create_dir(&repo_dir).context(&repo_dir)?;
let repo = ReadonlyRepo::init(user_settings, &repo_dir, backend_factory);
let (working_copy, repo) = init_working_copy(
user_settings,
@ -146,9 +155,9 @@ impl Workspace {
workspace_root,
&jj_dir,
WorkspaceId::default(),
);
)?;
let repo_loader = repo.loader();
let workspace = Workspace::new(workspace_root, working_copy, repo_loader);
let workspace = Workspace::new(workspace_root, working_copy, repo_loader)?;
Ok((workspace, repo))
}
@ -160,15 +169,16 @@ impl Workspace {
) -> Result<(Self, Arc<ReadonlyRepo>), WorkspaceInitError> {
let jj_dir = create_jj_dir(workspace_root)?;
let repo_dir = repo.repo_path().canonicalize().unwrap();
let mut repo_file = File::create(jj_dir.join("repo")).unwrap();
let repo_dir = repo.repo_path().canonicalize().context(repo.repo_path())?;
let repo_file_path = jj_dir.join("repo");
let mut repo_file = File::create(&repo_file_path).context(&repo_file_path)?;
repo_file
.write_all(repo_dir.to_str().unwrap().as_bytes())
.unwrap();
.context(&repo_file_path)?;
let (working_copy, repo) =
init_working_copy(user_settings, repo, workspace_root, &jj_dir, workspace_id);
let workspace = Workspace::new(workspace_root, working_copy, repo.loader());
init_working_copy(user_settings, repo, workspace_root, &jj_dir, workspace_id)?;
let workspace = Workspace::new(workspace_root, working_copy, repo.loader())?;
Ok((workspace, repo))
}
@ -184,11 +194,14 @@ impl Workspace {
// If .jj/repo is a file, then we interpret its contents as a relative path to
// the actual repo directory (typically in another workspace).
if repo_dir.is_file() {
let mut repo_file = File::open(repo_dir).unwrap();
let mut repo_file = File::open(&repo_dir).context(&repo_dir)?;
let mut buf = Vec::new();
repo_file.read_to_end(&mut buf).unwrap();
repo_file.read_to_end(&mut buf).context(&repo_dir)?;
let repo_path_str = String::from_utf8(buf).unwrap();
repo_dir = jj_dir.join(repo_path_str).canonicalize().unwrap();
repo_dir = jj_dir
.join(&repo_path_str)
.canonicalize()
.context(&repo_path_str)?;
if !repo_dir.is_dir() {
return Err(WorkspaceLoadError::RepoDoesNotExist(repo_dir));
}
@ -200,7 +213,7 @@ impl Workspace {
workspace_root.clone(),
working_copy_state_path,
);
Ok(Workspace::new(&workspace_root, working_copy, repo_loader))
Ok(Workspace::new(&workspace_root, working_copy, repo_loader)?)
}
pub fn workspace_root(&self) -> &PathBuf {

View file

@ -12,6 +12,7 @@
// See the License for the specific language governing permissions and
// limitations under the License.
use assert_matches::assert_matches;
use jujutsu_lib::op_store::WorkspaceId;
use jujutsu_lib::repo::BackendFactories;
use jujutsu_lib::testutils;
@ -26,9 +27,9 @@ fn test_load_bad_path() {
let workspace_root = temp_dir.path().to_owned();
// We haven't created a repo in the workspace_root, so it should fail to load.
let result = Workspace::load(&settings, &workspace_root, &BackendFactories::default());
assert_eq!(
assert_matches!(
result.err(),
Some(WorkspaceLoadError::NoWorkspaceHere(workspace_root))
Some(WorkspaceLoadError::NoWorkspaceHere(root)) if root == workspace_root
);
}

View file

@ -230,6 +230,9 @@ jj init --git-repo=.";
repo_dir.to_str().unwrap()
)));
}
Err(WorkspaceLoadError::Path(e)) => {
return Err(CommandError::UserError(format!("{}: {}", e, e.error)));
}
};
let repo_loader = workspace.repo_loader();
let op_heads = resolve_op_for_load(