evolution_writer/writer.rs
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 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272
//
// MIT License
//
// Copyright (c) 2024 Firelink Data
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in all
// copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
//
// File created: 2024-05-05
// Last updated: 2024-05-28
//
use evolution_common::error::{Result, SetupError};
use std::fs::{File, OpenOptions};
use std::io::Write;
use std::path::PathBuf;
/// A trait providing functions to write buffered data to some target.
pub trait Writer<'a> {
type Buffer: 'a;
fn finish(&mut self);
fn write(&mut self, buffer: Self::Buffer);
fn try_finish(&mut self) -> Result<()>;
fn try_write(&mut self, buffer: Self::Buffer) -> Result<()>;
}
/// A short-hand notation for a generic writer implementation.
pub type WriterRef<'a, T> = dyn Writer<'a, Buffer = T>;
/// The writer struct for fixed-length files (.flf).
pub struct FixedLengthFileWriter {
/// The file descriptor that the writer writes the data to.
inner: File,
/// The properties of the opened file descriptor.
properties: FixedLengthFileWriterProperties,
}
impl FixedLengthFileWriter {
/// Create a new instance of a [`FixedLengthFileWriterBuilder`] with default values.
pub fn builder() -> FixedLengthFileWriterBuilder {
FixedLengthFileWriterBuilder {
..Default::default()
}
}
/// Get the properties of the opened file descriptor.
pub fn properties(&self) -> &FixedLengthFileWriterProperties {
&self.properties
}
}
impl<'a> Writer<'a> for FixedLengthFileWriter {
type Buffer = &'a [u8];
/// Flush any remaining bytes in the output stream, ensuring that all bytes are written.
///
/// # Panics
/// If not all bytes could be written due to any I/O errors or by reaching EOF.
fn finish(&mut self) {
self.try_finish().unwrap();
}
/// Write the entire buffer to the file by continuously calling [`write`].
///
/// # Panics
/// Iff any I/O error was generated and then unwrapped.
fn write(&mut self, buffer: &[u8]) {
self.try_write(buffer).unwrap();
}
/// Try and flush any remaining bytes in the output stream, ensuring that all bytes are written.
///
/// # Errors
/// If not all bytes could be written due to any I/O errors or by reaching EOF.
fn try_finish(&mut self) -> Result<()> {
self.inner.flush()?;
Ok(())
}
/// Try to write the entire buffer to the file by continuously calling [`write`].
///
/// # Errors
/// Each call to [`write`] inside this function might generate an I/O error indicating
/// that the operation could not be completed. If an error is returned, then this is
/// guaranteed to happen before any bytes are actually written from the buffer.
///
/// [`write`]: std::io::Write::write
fn try_write(&mut self, buffer: Self::Buffer) -> Result<()> {
self.inner.write_all(buffer)?;
Ok(())
}
}
/// A collection of various file properties for the [`FixedLengthFileWriter`].
pub struct FixedLengthFileWriterProperties {
/// Enforce that a file with the same name can not already exist. If it already exists,
/// the [`FixedLengthFileWriterBuilder`] will return a [`SetupError`].
force_create_new: bool,
/// Allow file with same name to already exist, in such a case, the file will be opened.
create_or_open: bool,
/// Set the option to truncate the file if it already exists. This will set the length
/// of the file to 0. If the file does not already exist, this has no effect.
truncate_existing: bool,
}
impl FixedLengthFileWriterProperties {
/// Create a new instance of a [`FixedLengthFileWriterPropertiesBuilder`] with default values.
pub fn builder() -> FixedLengthFileWriterPropertiesBuilder {
FixedLengthFileWriterPropertiesBuilder {
..Default::default()
}
}
}
/// A helper struct for building an instance of a [`FixedLengthFileWriter`] struct.
#[derive(Default)]
pub struct FixedLengthFileWriterBuilder {
/// The path to open a new file descriptor at.
out_path: Option<PathBuf>,
/// The properties of the file descriptor.
properties: Option<FixedLengthFileWriterProperties>,
}
impl FixedLengthFileWriterBuilder {
/// Set the relative or absolute path to write the fixed-length file (.flf) to.
pub fn with_out_path(mut self, out_path: PathBuf) -> Self {
self.out_path = Some(out_path);
self
}
/// Set the properties to use when opening the file descriptor.
pub fn with_properties(mut self, properties: FixedLengthFileWriterProperties) -> Self {
self.properties = Some(properties);
self
}
/// Try creating a new [`FixedLengthFileWriter`] from the previously set values.
///
/// # Errors
/// If any of the required fields have not been set and thus are `None`, or if
/// the properties contained an invalid combination of settings. See [`OpenOptions`]
/// documentation for details on all errors it can return.
pub fn try_build(self) -> Result<FixedLengthFileWriter> {
let out_path: PathBuf = self.out_path.ok_or_else(|| {
Box::new(SetupError::new(
"Required field 'out_path' was not provided, exiting...",
))
})?;
let properties: FixedLengthFileWriterProperties = self.properties.ok_or_else(|| {
Box::new(SetupError::new(
"Required field 'properties' was not provided, exiting...",
))
})?;
let inner: File = OpenOptions::new()
.write(true)
.create_new(properties.force_create_new)
.create(properties.create_or_open)
.append(properties.create_or_open && !properties.truncate_existing)
.truncate(properties.truncate_existing && !properties.force_create_new)
.open(out_path)?;
Ok(FixedLengthFileWriter { inner, properties })
}
/// Creates a new [`FixedLengthFileWriter`] from the previously set values.
///
/// # Note
/// This method internally calls the [`try_build`] method and simply unwraps the returned
/// [`Result`]. If you don't care about error propagation, use this method over [`try_build`].
///
/// # Panics
/// If any of the required fields have not been set and thus are `None`, or if the
/// properties contained an invalid combination of settings.
///
/// [`try_build`]: FixedLengthFileWriterBuilder::try_build
pub fn build(self) -> FixedLengthFileWriter {
self.try_build().unwrap()
}
}
/// A helper struct for building an instance of a [`FixedLengthFileWriterProperties`] struct.
#[derive(Default)]
pub struct FixedLengthFileWriterPropertiesBuilder {
force_create_new: Option<bool>,
create_or_open: Option<bool>,
truncate_existing: Option<bool>,
}
impl FixedLengthFileWriterPropertiesBuilder {
/// Set the option to enforce that there can not already exist a file with the same name.
pub fn with_force_create_new(mut self, force_create_new: bool) -> Self {
self.force_create_new = Some(force_create_new);
self
}
/// Set the option to allow there existing a file with the same name, in which case,
/// the file will be opened and appended to.
pub fn with_create_or_open(mut self, create_or_open: bool) -> Self {
self.create_or_open = Some(create_or_open);
self
}
/// Set the option to truncate the file if it already exists. If the file does not already
/// exist, then this option has no effect.
pub fn with_truncate_existing(mut self, truncate_existing: bool) -> Self {
self.truncate_existing = Some(truncate_existing);
self
}
/// Try creating a new [`FixedLengthFileWriterProperties`] from the previously set values.
///
/// # Errors
/// Iff any of the required fields have not been set and thus are `None`.
pub fn try_build(self) -> Result<FixedLengthFileWriterProperties> {
let force_create_new: bool = self.force_create_new.ok_or_else(|| {
Box::new(SetupError::new(
"Required field 'force_create_new' was not provided, exiting...",
))
})?;
let create_or_open: bool = self.create_or_open.ok_or_else(|| {
Box::new(SetupError::new(
"Required field 'create_or_open' was not provided, exiting...",
))
})?;
let truncate_existing: bool = self.truncate_existing.ok_or_else(|| {
Box::new(SetupError::new(
"Required field 'truncate_existing' was not provided, exiting...",
))
})?;
Ok(FixedLengthFileWriterProperties {
force_create_new,
create_or_open,
truncate_existing,
})
}
/// Creates a new [`FixedLengthFileWriterProperties`] from the previously set values.
///
/// # Note
/// This method internally calls the [`try_build`] method and simply unwraps the returned
/// [`Result`]. If you don't care about error propagation, use this method over [`try_build`].
///
/// # Panics
/// Iff any of the required fields have not been set and thus are `None`.
///
/// [`try_build`]: FixedLengthFileWriterPropertiesBuilder::try_build
pub fn build(self) -> FixedLengthFileWriterProperties {
self.try_build().unwrap()
}
}