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 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150
/*
* Description: ???
*
* Copyright (C) 2023 Danny McClanahan <dmcC2@hypnicjerk.ai>
* SPDX-License-Identifier: Apache-2.0
*
* Licensed under the Apache License, Version 2.0 (see LICENSE).
*/
//! ???
use displaydoc::Display;
use parking_lot::Mutex;
use thiserror::Error;
use tokio::{
fs,
io::{self, AsyncSeekExt},
task,
};
use zip::{result::ZipError, ZipWriter};
use std::{ops::DerefMut, path::Path, sync::Arc};
#[derive(Debug, Display, Error)]
pub enum DestinationError {
/// i/o error accessing destination file: {0}
Io(#[from] io::Error),
/// error setting up zip format in destination file: {0}
Zip(#[from] ZipError),
/// error joining zip setup task: {0}
Join(#[from] task::JoinError),
}
#[derive(Copy, Clone, Default, Debug, PartialEq, Eq)]
pub enum DestinationBehavior {
/// Create the file if new, or truncate it if it exists.
#[default]
AlwaysTruncate,
/// Initialize an existing zip file.
AppendOrFail,
/// Append if the file already exists, otherwise create it.
OptimisticallyAppend,
/// Open the file in append mode, but don't try to read any zip info from it.
///
/// This is useful for creating e.g. PEX files or other self-executing zips
/// with a shebang line.
AppendToNonZip,
}
impl DestinationBehavior {
pub async fn initialize(self, path: &Path) -> Result<ZipWriter<std::fs::File>, DestinationError> {
let (file, with_append) = match self {
Self::AlwaysTruncate => {
let f = fs::OpenOptions::new()
.write(true)
.create(true)
.truncate(true)
.open(path)
.await?;
(f, false)
},
Self::AppendOrFail => {
let f = fs::OpenOptions::new()
.write(true)
.read(true)
.open(path)
.await?;
(f, true)
},
Self::OptimisticallyAppend => {
match fs::OpenOptions::new()
.write(true)
.create_new(true)
.open(path)
.await
{
Ok(f) => (f, false),
Err(e) => match e.kind() {
io::ErrorKind::AlreadyExists => {
let f = fs::OpenOptions::new()
.write(true)
.read(true)
.open(path)
.await?;
(f, true)
},
_ => {
return Err(e.into());
},
},
}
},
Self::AppendToNonZip => {
let mut f = fs::OpenOptions::new()
.write(true)
.read(true)
.open(path)
.await?;
/* NB: do NOT!!! open the file for append!!! It will only BREAK EVERYTHING IN
* MYSTERIOUS WAYS by constantly moving the seek cursor! Opening with
* ::new_append() will seek to the end for us, but in this case we
* want to write to a file that *doesn't* already have zip
* data, so we need to tell the file handle to go to the end before giving it
* to the zip library. */
f.seek(io::SeekFrom::End(0)).await?;
(f, false)
},
};
let file = file.into_std().await;
let writer = task::spawn_blocking(move || {
if with_append {
Ok::<_, DestinationError>(ZipWriter::new_append(file)?)
} else {
Ok(ZipWriter::new(file))
}
})
.await??;
Ok(writer)
}
}
pub struct OutputWrapper<O> {
handle: Arc<Mutex<O>>,
}
impl<O> Clone for OutputWrapper<O> {
fn clone(&self) -> Self {
Self {
handle: Arc::clone(&self.handle),
}
}
}
impl<O> OutputWrapper<O> {
pub fn wrap(writer: O) -> Self {
Self {
handle: Arc::new(Mutex::new(writer)),
}
}
pub fn reclaim(self) -> O {
Arc::into_inner(self.handle)
.expect("expected this to be the last strong ref")
.into_inner()
}
pub fn lease(&self) -> impl DerefMut<Target=O>+'_ { self.handle.lock() }
}