disk/
lib.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
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
//! Disk: [`serde`](https://docs.rs/serde) + [`directories`](https://docs.rs/directories) + various file formats as [`Traits`](https://doc.rust-lang.org/book/ch10-02-traits.html).
//!
//! This crate is for:
//!
//! - (De)serializing various file formats (provided by `serde`)
//! - To/from disk locations that follow OS specifications (provided by `directories`)
//!
//! All errors returned will be an [`Error`] (re-exported `anyhow::Error`).

//------------------------------------------------------------------------------------------------------------------------
//! # Implementing `disk`
//! ```rust
//! use serde::{Serialize, Deserialize};
//! use disk::Toml;
//!
//! #[derive(Serialize,Deserialize)] // <- Your data must implement `serde`.
//! struct State {
//! 	string: String,
//! 	number: u32,
//! }
//! // To make this struct a file, use the following macro:
//! //
//! //    |- 1. The file format used will be TOML.
//! //    |
//! //    |     |- 2. This is implemented for the struct "State".
//! //    |     |
//! //    |     |      |- 3. It will be saved in the OS Data directory.
//! //    |     |      |
//! //    |     |      |                 |- 4. The main project directory is called "MyProject".
//! //    |     |      |                 |
//! //    |     |      |                 |            |- 6. It won't be in any sub-directories.
//! //    |     |      |                 |            |
//! //    |     |      |                 |            |   |- 7. The file name will be "state.toml".
//! //    v     v      v                 v            v   v
//! disk::toml!(State, disk::Dir::Data, "MyProject", "", "state");
//! ```
//!
//! Now our `State` struct implements the `Toml` trait.
//!
//! The PATH the file would be saved in would be:
//!
//! | OS      | PATH                                                             |
//! |---------|------------------------------------------------------------------|
//! | Windows | `C:\Users\Alice\AppData\Roaming\My_Project\state.toml`           |
//! | macOS   | `/Users/Alice/Library/Application Support/My-Project/state.toml` |
//! | Linux   | `/home/alice/.local/share/myproject/state.toml`                  |

//------------------------------------------------------------------------------------------------------------------------
//! ### `.save()` and `.from_file()`
//! These two functions are the basic ways to:
//! - _Save_ a struct to disk
//! - _Create_ a struct from disk
//! ```rust
//! # use serde::{Serialize, Deserialize};
//! # use disk::*;
//! #
//! # disk::toml!(State, disk::Dir::Data, "MyProject", "", "state");
//! # #[derive(PartialEq,Serialize,Deserialize)]
//! # struct State {
//! #    string: String,
//! #    number: u32,
//! # }
//! // Create our struct.
//! let my_state = State { string: "Hello".to_string(), number: 123 };
//!
//! // Save our `State` as a `Toml` file.
//! match my_state.save() {
//! 	Ok(_) => println!("We saved to disk"),
//! 	Err(e) => eprintln!("We failed to save to disk"),
//! }
//!
//! // Let's create a new `State` by reading the file that we just created:
//! let from_disk = State::from_file().expect("Failed to read disk");
//!
//! // These should be the same.
//! assert!(my_state == from_disk);
//! ```

//------------------------------------------------------------------------------------------------------------------------
//! ### `.save_atomic()`
//! `disk` provides an `atomic` version of `.save()`.
//!
//! Atomic in this context means, the data will be saved to a TEMPORARY file first, then renamed to the associated file.
//!
//! This lowers the chance for data corruption on interrupt.
//!
//! The temporary file is removed if the rename fails.
//!
//! The temporary file name is: `file_name` + `extension` + `.tmp`, for example:
//! ```text,ignore
//! config.toml     // <- Real file
//! config.toml.tmp // <- Temporary version
//! ```
//! Already existing `.tmp` files will be overwritten.

//------------------------------------------------------------------------------------------------------------------------
//! ### `.save_gzip()` & `.from_file_gzip()`
//! `disk` provides `gzip` versions of `.save()` and `.from_file()`.
//!
//! This saves the file as a compressed file using `gzip`.
//!
//! This will suffix the file with `.gz`, for example:
//! ```text,ignore
//! config.json    // Normal file name with `.save()`
//! config.json.gz // File name when using `.save_gzip()`
//! ```
//! To recover data from this file, you _must_ also use the matching `.from_file_gzip()` when reading the data.

//------------------------------------------------------------------------------------------------------------------------
//! ### Sub-Directories
//! Either a single or multiple sub-directories can be specified with a `/` delimiter.
//!
//! `\` is also allowed but ONLY if building on Windows.
//!
//! An empty string `""` means NO sub directories.
//! ```rust,ignore
//! # #[derive(serde::Serialize,serde::Deserialize)]
//! # struct State;
//! # use disk::Dir::Data;
//! // Windows ... C:\Users\Alice\AppData\Roaming\My_Project\sub1\sub2\state.toml
//! disk::toml!(State, Data, "MyProject", r"sub1\sub2", "state");
//!
//! // macOS ... /Users/Alice/Library/Application Support/My-Project/sub1/sub2/state.json
//! disk::json!(State, Data, "MyProject", "sub1/sub2", "state");
//!
//! // Linux ... /home/alice/.local/share/myproject/sub1/sub2/state.yml
//! disk::yaml!(State, Data, "MyProject", "sub1/sub2", "state");
//!
//! // NO sub directory:
//! disk::toml!(State, Data, "MyProject", "", "state");
//! ```

//------------------------------------------------------------------------------------------------------------------------
//! ### `bincode` Header and Version
//! `disk` provides a custom header and versioning feature for the binary format, `bincode`.
//!
//! The custom header is an arbitrary `24` byte array that is appended to the front of the file.
//!
//! The version is a single `u8` that comes after the header, representing a version from `0-255`.
//!
//! These must be passed to the implementation macro.
//!
//! Example:
//! ```rust
//! # use serde::{Serialize, Deserialize};
//! # use disk::*;
//! const HEADER: [u8; 24] = [1_u8; 24];
//! const VERSION: u8 = 5;
//!
//! // Define.
//! disk::bincode!(State, disk::Dir::Data, "MyProject", "", "state", HEADER, VERSION);
//! #[derive(Serialize,Deserialize)]
//! struct State {
//! 	string: String,
//! 	number: u32,
//! }
//!
//! // Save file.
//! let state = State { string: "Hello".to_string(), number: 123 };
//! state.save().unwrap();
//!
//! // Assert the file's header+version on
//! // disk is correct and extract our version.
//! let version = State::file_version().unwrap();
//! assert!(version == State::VERSION);
//! ```
//! The header and version make up the first `25` bytes of the file, byte `1..=24` being the header and
//! byte `25` being the version. These bytes are checked upon using any `.from_file()` variant and will
//! return an error if it does not match your struct's implementation.

//------------------------------------------------------------------------------------------------------------------------
//! ### `bincode2`
//! `disk` provides two `bincode` traits, [`Bincode`] & [`Bincode2`].
//! - [`Bincode`] and [`bincode!`] == `bincode 1.x.x`
//! - [`Bincode2`] and [`bincode2!`] == `bincode 2.x.x`
//!
//! [`bincode 2.0.0`](https://docs.rs/bincode/2.0.0-rc.3) (currently not stable) brings big performance improvements.
//!
//! It also no longer requires `serde`, having it's own `Encode` and `Decode` traits.
//!
//! This means your type must implement these as well, e.g:
//! ```rust,ignore
//! use bincode::{Encode, Decode};
//!
//! #[derive(Encode, Decode)]
//! struct State;
//! ```
//!
//! To implement `bincode 2.x.x`'s new traits, add it to `Cargo.toml`:
//! ```txt
//! bincode = "2.0.0-rc.3"
//! ```
//! and add `#[derive(Encode, Decode)]` to your types, like you would with `serde`.

//------------------------------------------------------------------------------------------------------------------------
//! ### Manually implementing `disk`
//! The macros **verify and sanity check** the input data at compile time,
//! while manual `unsafe impl` **does not,** and gives you full control over the data definitions,
//! allowing obvious mistakes like empty `PATH`'s and mismatching filenames to slip through.
//!
//! It requires `9` constants to be defined:
//! ```rust
//! # #[derive(serde::Serialize,serde::Deserialize)]
//! # struct State;
//! unsafe impl disk::Toml for State {
//!     const OS_DIRECTORY:       disk::Dir    = disk::Dir::Data;
//!     const PROJECT_DIRECTORY:  &'static str = "MyProject";
//!     const SUB_DIRECTORIES:    &'static str = "";
//!     const FILE:               &'static str = "state";
//!     const FILE_EXT:           &'static str = "toml";
//!     const FILE_NAME:          &'static str = "state.toml";
//!     const FILE_NAME_GZIP:     &'static str = "state.gzip";
//!     const FILE_NAME_TMP:      &'static str = "state.toml.tmp";
//!     const FILE_NAME_GZIP_TMP: &'static str = "state.toml.gzip.tmp";
//! }
//! ```
//! A **dangerous** example:
//! ```rust,ignore
//! # #[derive(serde::Serialize,serde::Deserialize)]
//! # struct State;
//! unsafe impl disk::Toml for State {
//!     const OS_DIRECTORY:       disk::Dir    = disk::Dir::Data;
//!     const PROJECT_DIRECTORY:  &'static str = "";
//!     const SUB_DIRECTORIES:    &'static str = "";
//!     const FILE:               &'static str = "";
//!     [...]
//! }
//!
//! // This deletes `~/.local/share`...!
//! State::rm_rf();
//! ```

//------------------------------------------------------------------------------------------------------------------------
//! ### Feature Flags
//! No file formats are enabled by default, you must enable them with feature flags.
//!
//! Enabling the `bytesize` feature makes [`Metadata`] use [`bytesize`](https://docs.rs/bytesize) for its [`Display`].
//!
//! For example, `println!("{metadata}")` which normally looks like:
//! ```txt
//! 312445 bytes @ /my/file/path
//! ```
//! will turn into:
//! ```txt
//! 312.4 KB @ /my/file/path
//! ```
//!
//! Use the `full` feature flag to enable _everything_.
//!
//! | File Format | Feature flag to enable |
//! |-------------|------------------------|
//! | Bincode     | `bincode`
//! | Bincode2    | `bincode2`
//! | Postcard    | `postcard`
//! | JSON        | `json`
//! | TOML        | `toml`
//! | YAML        | `yaml`
//! | Pickle      | `pickle`
//! | MessagePack | `messagepack`
//! | BSON        | `bson`
//! | RON         | `ron`
//! | Plain Text  | `plain`
//! | Empty File  | `empty`

//------ Lints
#![forbid(
	future_incompatible,
	let_underscore,
	break_with_label_and_loop,
	coherence_leak_check,
	deprecated,
	duplicate_macro_attributes,
	exported_private_dependencies,
	for_loops_over_fallibles,
	large_assignments,
	overlapping_range_endpoints,
	private_in_public,
	semicolon_in_expressions_from_macros,
	redundant_semicolons,
	unconditional_recursion,
	unreachable_patterns,
	unused_allocation,
	unused_braces,
	unused_comparisons,
	unused_doc_comments,
	unused_labels,
	unused_unsafe,
	while_true,
	keyword_idents,
	missing_docs,
	non_ascii_idents,
	noop_method_call,
	unreachable_pub,
	single_use_lifetimes,
	variant_size_differences,
)]
#![deny(
	nonstandard_style,
	unused_mut,
)]

#![cfg_attr(docsrs, feature(doc_auto_cfg))]

#[cfg(not(any(target_pointer_width = "64", target_pointer_width = "32")))]
compile_error!("disk is only compatible with 64-bit/32bit CPUs");
#[cfg(not(any(
	target_os = "windows",
	target_os = "macos",
	target_os = "linux",
	target_family = "wasm",
)))]
compile_error!("disk is only compatible with Window/macOS/Linux/WASM");

//------ Common
mod common;
mod dir;
mod header;
mod metadata;
mod umask;
pub use crate::dir::Dir;
pub use anyhow::Error;
pub use metadata::*;
pub use umask::*;

//------ Hidden re-exports
#[doc(hidden)]
pub use const_format::assertcp as const_assert;
#[doc(hidden)]
pub use const_format::formatcp as const_format;
#[doc(hidden)]
pub use const_str::{
	starts_with,
	ends_with,
	contains,
	split,
};
#[doc(hidden)]
pub use seq_macro::seq;
#[doc(hidden)]
pub use paste::paste;

//------ File formats
#[cfg(feature = "bincode")]
mod bincode;
#[cfg(feature = "bincode")]
pub use crate::bincode::Bincode;

#[cfg(feature = "bincode2")]
mod bincode2;
#[cfg(feature = "bincode2")]
pub use crate::bincode2::Bincode2;

#[cfg(feature = "postcard")]
mod postcard;
#[cfg(feature = "postcard")]
pub use crate::postcard::Postcard;

#[cfg(feature = "json")]
mod json;
#[cfg(feature = "json")]
pub use crate::json::Json;

#[cfg(feature = "toml")]
mod toml;
#[cfg(feature = "toml")]
pub use crate::toml::Toml;

#[cfg(feature = "yaml")]
mod yaml;
#[cfg(feature = "yaml")]
pub use crate::yaml::Yaml;

#[cfg(feature = "pickle")]
mod pickle;
#[cfg(feature = "pickle")]
pub use crate::pickle::Pickle;

#[cfg(feature = "messagepack")]
mod messagepack;
#[cfg(feature = "messagepack")]
pub use crate::messagepack::MessagePack;

#[cfg(feature = "bson")]
mod bson;
#[cfg(feature = "bson")]
pub use crate::bson::Bson;

#[cfg(feature = "ron")]
mod ron;
#[cfg(feature = "ron")]
pub use crate::ron::Ron;

#[cfg(feature = "plain")]
mod plain;
#[cfg(feature = "plain")]
pub use crate::plain::Plain;

#[cfg(feature = "empty")]
mod empty;
#[cfg(feature = "empty")]
pub use crate::empty::Empty;