feat: choose writing strategy

This commit is contained in:
aster 2025-02-27 16:30:29 +09:00
parent db187c4870
commit c8bb71755c
2 changed files with 91 additions and 62 deletions

View file

@ -66,6 +66,15 @@ pub enum Mode {
Insert = 2, Insert = 2,
} }
#[derive(Debug, Default, Copy, Clone, PartialEq, Eq, Serialize, serde::Deserialize)]
#[serde(rename_all = "kebab-case", deny_unknown_fields)]
pub enum WritingStrategy {
#[default]
MoveBackup,
CopyBackup,
Overwrite,
}
impl Display for Mode { impl Display for Mode {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result { fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
match self { match self {
@ -952,6 +961,7 @@ impl Document {
let encoding_with_bom_info = (self.encoding, self.has_bom); let encoding_with_bom_info = (self.encoding, self.has_bom);
let last_saved_time = self.last_saved_time; let last_saved_time = self.last_saved_time;
let writing_strategy_config = self.config.load().writing_strategy;
// We encode the file according to the `Document`'s encoding. // We encode the file according to the `Document`'s encoding.
let future = async move { let future = async move {
use tokio::fs; use tokio::fs;
@ -995,38 +1005,51 @@ impl Document {
)); ));
} }
// Assume it is a hardlink to prevent data loss if the metadata cant be read (e.g. on certain Windows configurations) let writing_strategy = {
let is_hardlink = helix_stdx::faccess::hardlink_count(&write_path).unwrap_or(2) > 1; // Assume it is a hardlink to prevent data loss if the metadata cant be read (e.g. on certain Windows configurations)
let backup = if path.exists() { let is_hardlink = helix_stdx::faccess::hardlink_count(&write_path).unwrap_or(2) > 1;
let path_ = write_path.clone();
// hacks: we use tempfile to handle the complex task of creating
// non clobbered temporary path for us we don't want
// the whole automatically delete path on drop thing
// since the path doesn't exist yet, we just want
// the path
tokio::task::spawn_blocking(move || -> Option<PathBuf> {
let mut builder = tempfile::Builder::new();
builder.prefix(path_.file_name()?).suffix(".bck");
let backup_path = if is_hardlink { if is_hardlink {
builder WritingStrategy::CopyBackup
.make_in(path_.parent()?, |backup| std::fs::copy(&path_, backup)) } else {
.ok()? writing_strategy_config
.into_temp_path() }
} else { };
builder
.make_in(path_.parent()?, |backup| std::fs::rename(&path_, backup))
.ok()?
.into_temp_path()
};
backup_path.keep().ok() let backup = match writing_strategy {
}) WritingStrategy::MoveBackup | WritingStrategy::CopyBackup if path.exists() => {
.await let path_ = write_path.clone();
.ok() // hacks: we use tempfile to handle the complex task of creating
.flatten() // non clobbered temporary path for us we don't want
} else { // the whole automatically delete path on drop thing
None // since the path doesn't exist yet, we just want
// the path
tokio::task::spawn_blocking(move || -> Option<PathBuf> {
let backup_path = tempfile::Builder::new()
.prefix(path_.file_name()?)
.suffix(".bck")
.make_in(path_.parent()?, |backup| {
match writing_strategy {
WritingStrategy::CopyBackup => {
std::fs::copy(&path_, backup)?;
}
WritingStrategy::MoveBackup => {
std::fs::rename(&path_, backup)?;
}
WritingStrategy::Overwrite => unreachable!(),
}
Ok(())
})
.ok()?
.into_temp_path();
backup_path.keep().ok()
})
.await
.ok()
.flatten()
}
_ => None,
}; };
let write_result: anyhow::Result<_> = async { let write_result: anyhow::Result<_> = async {
@ -1037,47 +1060,50 @@ impl Document {
} }
.await; .await;
let save_time = match fs::metadata(&write_path).await { let save_time = fs::metadata(&write_path)
Ok(metadata) => metadata.modified().map_or(SystemTime::now(), |mtime| mtime), .await
Err(_) => SystemTime::now(), .and_then(|metadata| metadata.modified())
}; .unwrap_or_else(|_| SystemTime::now());
if let Some(backup) = backup { if let Err(err) = write_result {
if is_hardlink { if let Some(backup) = backup {
let mut delete = true; match writing_strategy {
if write_result.is_err() { WritingStrategy::CopyBackup => {
// Restore backup // Restore backup
let _ = tokio::fs::copy(&backup, &write_path).await.map_err(|e| { if let Err(e) = tokio::fs::copy(&backup, &write_path).await {
delete = false; log::error!("Failed to restore backup on write failure: {e}")
log::error!("Failed to restore backup on write failure: {e}") }
}); }
WritingStrategy::MoveBackup => {
// restore backup
if let Err(e) = tokio::fs::rename(&backup, &write_path).await {
log::error!("Failed to restore backup on write failure: {e}");
}
}
WritingStrategy::Overwrite => unreachable!(),
} }
if delete {
// Delete backup
let _ = tokio::fs::remove_file(backup)
.await
.map_err(|e| log::error!("Failed to remove backup file on write: {e}"));
}
} else if write_result.is_err() {
// restore backup
let _ = tokio::fs::rename(&backup, &write_path)
.await
.map_err(|e| log::error!("Failed to restore backup on write failure: {e}"));
} else { } else {
// copy metadata and delete backup log::error!(
"Failed to restore backup on write failure (backup doesn't exist) for write error: {err}"
);
}
} else if let Some(backup) = backup {
// backup exists & successfully saved. delete backup
if writing_strategy == WritingStrategy::MoveBackup {
// the file is newly created one, therefore the metadata must be copied
let backup = backup.clone();
let _ = tokio::task::spawn_blocking(move || { let _ = tokio::task::spawn_blocking(move || {
let _ = copy_metadata(&backup, &write_path) if let Err(e) = copy_metadata(&backup, &write_path) {
.map_err(|e| log::error!("Failed to copy metadata on write: {e}")); log::error!("Failed to copy metadata on write: {e}");
let _ = std::fs::remove_file(backup) }
.map_err(|e| log::error!("Failed to remove backup file on write: {e}"));
}) })
.await; .await;
} }
if let Err(e) = tokio::fs::remove_file(backup).await {
log::error!("Failed to remove backup file on write: {e}");
}
} }
write_result?;
let event = DocumentSavedEvent { let event = DocumentSavedEvent {
revision: current_rev, revision: current_rev,
save_time, save_time,

View file

@ -3,6 +3,7 @@ use crate::{
clipboard::ClipboardProvider, clipboard::ClipboardProvider,
document::{ document::{
DocumentOpenError, DocumentSavedEventFuture, DocumentSavedEventResult, Mode, SavePoint, DocumentOpenError, DocumentSavedEventFuture, DocumentSavedEventResult, Mode, SavePoint,
WritingStrategy,
}, },
events::{DocumentDidClose, DocumentDidOpen, DocumentFocusLost}, events::{DocumentDidClose, DocumentDidOpen, DocumentFocusLost},
graphics::{CursorKind, Rect}, graphics::{CursorKind, Rect},
@ -370,6 +371,7 @@ pub struct Config {
/// Whether to read settings from [EditorConfig](https://editorconfig.org) files. Defaults to /// Whether to read settings from [EditorConfig](https://editorconfig.org) files. Defaults to
/// `true`. /// `true`.
pub editor_config: bool, pub editor_config: bool,
pub writing_strategy: WritingStrategy,
} }
#[derive(Debug, Clone, PartialEq, Deserialize, Serialize, Eq, PartialOrd, Ord)] #[derive(Debug, Clone, PartialEq, Deserialize, Serialize, Eq, PartialOrd, Ord)]
@ -1017,6 +1019,7 @@ impl Default for Config {
end_of_line_diagnostics: DiagnosticFilter::Disable, end_of_line_diagnostics: DiagnosticFilter::Disable,
clipboard_provider: ClipboardProvider::default(), clipboard_provider: ClipboardProvider::default(),
editor_config: true, editor_config: true,
writing_strategy: WritingStrategy::default(),
} }
} }
} }