devela/sys/fs/fs_path.rs
1// devela::sys::fs::fs_path
2//
3//! Defines the `FsPath` wrapper.
4//
5// TOC
6// - unix methods
7// - traverse symbolic links
8// - optionally traverse symbolic links
9// - windows methods
10// - from/into Path/PathBuf
11
12use crate::PathBuf;
13
14#[doc = crate::TAG_NAMESPACE!()]
15/// A more featureful wrapper over [`PathBuf`].
16///
17/// # Table of contents
18/// - [General methods](#general-methods)
19/// - [Methods that traverse symbolic links](#methods-that-traverse-symbolic-links)
20/// - [Methods that *optionally* traverse symbolic links](#methods-that-optionally-traverse-symbolic-links)
21/// - [`unix` methods that traverse symbolic links](#unix-methods-that-traverse-symbolic-links)
22/// - [`unix` methods that *optionally* traverse symbolic links](#unix-methods-that-optionally-traverse-symbolic-links)
23/// - [`windows` methods](#windows-methods)
24///
25/// # Symlink traversal
26/// Most methods traverse symbolic links along the path,
27/// while the `_ts` suffixed variants can do so, optionally.
28///
29/// ```
30/// # use devela::FsPath;
31/// # fn main() {
32/// # let some_path = FsPath::new("some_path");
33/// assert_eq![some_path.exists(), some_path.exists_ts(true)];
34/// # }
35/// ```
36#[must_use]
37#[derive(Debug, Clone)]
38pub struct FsPath {
39 /// The inner `PathBuf`.
40 pub path: PathBuf,
41}
42
43mod methods {
44 use crate::{
45 Cow, Env, FileMetadata, FilePermissions, FileType, Fs, FsPath, IoError, IoErrorKind,
46 IoResult, Path, PathBuf, PathDisplay, SystemTime,
47 };
48
49 /// # General methods.
50 #[rustfmt::skip]
51 impl FsPath {
52 /// Returns a `FsPath` from what could've been a [`Path`].
53 pub fn new<P: AsRef<Path>>(path: P) -> Self { Self { path: path.as_ref().to_path_buf() } }
54
55 /// Returns the current working directory.
56 ///
57 /// Calls `std::env::`[`current_dir`][std::env::current_dir] under the hood.
58 pub fn from_current_dir() -> IoResult<Self> { Ok(Self { path: Env::current_dir()? }) }
59
60 /// Retuns the path of `CARGO_MANIFEST_DIR`.
61 pub fn from_manifest_dir() -> Self {
62 Self {
63 path: PathBuf::from(Env::var("CARGO_MANIFEST_DIR").expect("CARGO_MANIFEST_DIR not set"))
64 }
65 }
66
67 /// Retuns the path of `CARGO_MANIFEST_PATH`.
68 pub fn from_manifest_path() -> Self {
69 Self {
70 path: PathBuf::from(Env::var("CARGO_MANIFEST_PATH").expect("CARGO_MANIFEST_PATH not set"))
71 }
72 }
73
74 /// Returns a temporary directory.
75 ///
76 /// Calls `std::env::`[`temp_dir`][std::env::temp_dir] under the hood.
77 pub fn from_temp_dir() -> Self { Self { path: Env::temp_dir() } }
78
79
80 /// Resolves a given path relative to the nearest `Cargo.toml` directory.
81 ///
82 /// This function searches for the nearest `Cargo.toml` file starting from the
83 /// current working directory and traversing upwards through its ancestors.
84 /// Once the `Cargo.toml` is found, the provided `path` is appended to its directory.
85 ///
86 /// # Errors
87 /// Returns an error if it can't find any `Cargo.toml` file,
88 /// or if it encounters an invalid path during the search process.
89 ///
90 /// # Examples
91 /// ```
92 /// use devela::FsPath;
93 /// match FsPath::from_crate_root("") {
94 /// Ok(p) => println!("Current crate root is {:?}", p),
95 /// Err(e) => println!("Error obtaining crate root {:?}", e)
96 /// };
97 /// ```
98 #[cfg(not(miri))] // unsupported operation: getcwd not available when isolation is enabled
99 pub fn from_crate_root<P: AsRef<Path>>(path: P) -> IoResult<Self> {
100 let current_path = Env::current_dir()?;
101 let mut root_path = current_path.clone();
102
103 for p in current_path.as_path().ancestors() {
104 let has_cargo = Fs::read_dir(p)?.any(|p| p.unwrap().file_name() == *"Cargo.toml");
105 if has_cargo {
106 return Ok(Self { path: root_path.join(path.as_ref()) });
107 }
108 root_path.pop();
109 }
110 Err(IoError::new(IoErrorKind::NotFound, "Ran out of places to find Cargo.toml"))
111 }
112
113 /// Returns the canonical, absolute form of the path with all intermediate
114 /// components normalized and symbolic links resolved.
115 ///
116 /// Calls `std::fs::`[`canonicalize`][std::fs::canonicalize] under the hood.
117 pub fn canonicalize(&self) -> IoResult<FsPath> {
118 self.path.canonicalize().map(|path| Self { path })
119 }
120
121 /// Reads a symbolic link, returning the file that the link points to.
122 ///
123 /// This function will return an error in the following situations,
124 /// but is not limited to just these cases:
125 /// - path is not a symbolic link.
126 /// - path does not exist.
127 ///
128 /// Calls `std::fs::`[`read_link`][std::fs::read_link] under the hood.
129 pub fn read_link(&self) -> IoResult<FsPath> {
130 self.path.read_link().map(|path| Self { path })
131 }
132
133 /// Is this path absolute?
134 pub fn is_absolute(&self) -> bool { self.path.is_absolute() }
135
136 /// Is this path relative?
137 pub fn is_relative(&self) -> bool { self.path.is_relative() }
138
139 /// Returns the path without its final component, if there is one.
140 ///
141 /// Returns `None` if the path terminates in a root or prefix.
142 pub fn parent(&self) -> Option<FsPath> { self.path.parent().map(|o| o.into()) }
143
144 /// Truncates `self` to [`self.parent`].
145 ///
146 /// Returns `false` and does nothing if [`self.parent`] is `None`.
147 /// Otherwise, returns `true`.
148 ///
149 /// [`self.parent`]: FsPath#method.parent
150 pub fn pop(&mut self) -> bool { self.path.pop() }
151
152 /// Extends `self` with `path`.
153 ///
154 /// If `path` is absolute, it replaces the current path.
155 ///
156 /// Calls `std::path::`[`PathBuf::push`] under the hood.
157 pub fn push<P: AsRef<Path>>(&mut self, path: P) { self.path.push(path); }
158
159 /// Returns an object that implements [`Display`][core::fmt::Display].
160 pub fn display(&self) -> PathDisplay<'_> { self.as_path().display() }
161
162 /// Yields a [`&str`] slice if the FsPath is valid unicode.
163 pub fn to_str(&self) -> Option<&str> { self.path.to_str() }
164
165 /// Converts a `FsPath` to a `Cow<str>`.
166 ///
167 /// Any non-Unicode sequences are replaced with [`U+FFFD REPLACEMENT CHARACTER`][0].
168 ///
169 /// [0]: https://doc.rust-lang.org/1.62.1/std/char/constant.REPLACEMENT_CHARACTER.html
170 pub fn to_string_lossy(&self) -> Cow<str> { self.path.to_string_lossy() }
171
172 /// Returns the inner [`PathBuf`].
173 pub fn into_inner(self) -> PathBuf { self.into() }
174
175 /// Returns an exclusive reference to the inner `PathBuf`.
176 pub fn into_ref_mut(&mut self) -> &mut PathBuf { self.into() }
177
178 /// Coerces the inner [`PathBuf`] to a [`Path`] slice.
179 pub fn as_path(&self) -> &Path { self.into() }
180 }
181
182 /// # Methods that traverse symbolic links
183 #[rustfmt::skip]
184 impl FsPath {
185 /* methods that coerce to bool */
186
187 /// Does this path exist?
188 pub fn exists(&self) -> bool { self.path.exists() }
189 /// Is this a file?
190 pub fn is_file(&self) -> bool { self.path.is_file() }
191 /// Is this a directory?
192 pub fn is_dir(&self) -> bool { self.path.is_dir() }
193 /// Is this a symbolic link?
194 pub fn is_symlink(&self) -> bool { self.metadata().is_ok_and(|m| m.is_symlink()) }
195
196 /* methods that return IoResult */
197
198 /// Returns the metadata.
199 pub fn metadata(&self) -> IoResult<FileMetadata> { self.path.metadata() }
200 /// Returns the `FileType`.
201 pub fn file_type(&self) -> IoResult<FileType> { Ok(self.metadata()?.file_type()) }
202 /// Returns the size of the file, in bytes.
203 pub fn len(&self) -> IoResult<u64> { Ok(self.metadata()?.len()) }
204 /// Returns true if the file size equals zero.
205 pub fn is_empty(&self) -> IoResult<bool> { Ok(self.len()? == 0) }
206 /// Returns the time of creation.
207 pub fn created(&self) -> IoResult<SystemTime> { self.metadata()?.created() }
208 /// Returns the time of access.
209 pub fn accessed(&self) -> IoResult<SystemTime> { self.metadata()?.accessed() }
210 /// Returns the time of modification.
211 pub fn modified(&self) -> IoResult<SystemTime> { self.metadata()?.modified() }
212
213 // permissions
214
215 /// Returns the permissions of the file.
216 pub fn permissions(&self) -> IoResult<FilePermissions> {
217 Ok(self.metadata()?.permissions())
218 }
219 /// Is this a read-only file?
220 pub fn is_readonly(&self) -> IoResult<bool> { Ok(self.permissions()?.readonly()) }
221 /// Sets the read-only flag, returning the previous read-only state.
222 pub fn set_readonly(&mut self, readonly: bool) -> IoResult<bool> {
223 let prev = self.is_readonly()?;
224 self.permissions()?.set_readonly(readonly);
225 Ok(prev)
226 }
227 }
228
229 /// # Methods that *optionally* traverse symbolic links
230 impl FsPath {
231 /* methods that coerce to bool */
232
233 /// Does this path exist?
234 pub fn exists_ts(&self, traverse: bool) -> bool {
235 self.metadata_ts(traverse).is_ok()
236 }
237 /// Is this a file?
238 pub fn is_file_ts(&self, traverse: bool) -> bool {
239 self.metadata_ts(traverse).is_ok_and(|m| m.is_file())
240 }
241 /// Is this a directory?
242 pub fn is_dir_ts(&self, traverse: bool) -> bool {
243 self.metadata_ts(traverse).is_ok_and(|m| m.is_dir())
244 }
245 /// Is this a symbolic link?
246 pub fn is_symlink_ts(&self, traverse: bool) -> bool {
247 self.metadata_ts(traverse).is_ok_and(|m| m.is_symlink())
248 }
249
250 /* methods that return IoResult */
251
252 /// Returns the metadata that *optionally* traverses symbolic links.
253 pub fn metadata_ts(&self, traverse: bool) -> IoResult<FileMetadata> {
254 if traverse {
255 self.path.metadata()
256 } else {
257 self.path.symlink_metadata()
258 }
259 }
260
261 /// Returns the `FileType`.
262 pub fn file_type_ts(&self, traverse: bool) -> IoResult<FileType> {
263 Ok(self.metadata_ts(traverse)?.file_type())
264 }
265
266 /// Returns the size of the file, in bytes.
267 #[allow(clippy::len_without_is_empty)]
268 pub fn len_ts(&self, traverse: bool) -> IoResult<u64> {
269 Ok(self.metadata_ts(traverse)?.len())
270 }
271
272 /// Returns true if the file size equals zero.
273 pub fn is_empty_ts(&self, traverse: bool) -> IoResult<bool> {
274 Ok(self.len_ts(traverse)? == 0)
275 }
276 /// Returns the time of creation.
277 pub fn created_ts(&self, traverse: bool) -> IoResult<SystemTime> {
278 self.metadata_ts(traverse)?.created()
279 }
280 /// Returns the time of access.
281 pub fn accessed_ts(&self, traverse: bool) -> IoResult<SystemTime> {
282 self.metadata_ts(traverse)?.accessed()
283 }
284 /// Returns the time of modification.
285 pub fn modified_ts(&self, traverse: bool) -> IoResult<SystemTime> {
286 self.metadata_ts(traverse)?.modified()
287 }
288
289 // permissions
290
291 /// Returns the permissions of the file.
292 pub fn permissions_ts(&self, traverse: bool) -> IoResult<FilePermissions> {
293 Ok(self.metadata_ts(traverse)?.permissions())
294 }
295
296 /// Is this a read-only file?
297 pub fn is_readonly_ts(&self, traverse: bool) -> IoResult<bool> {
298 Ok(self.permissions_ts(traverse)?.readonly())
299 }
300
301 /// Sets the read-only flag, returning the previous read-only state.
302 pub fn set_readonly_ts(&mut self, readonly: bool, traverse: bool) -> IoResult<bool> {
303 let prev = self.is_readonly_ts(traverse)?;
304 self.permissions_ts(traverse)?.set_readonly(readonly);
305 Ok(prev)
306 }
307 }
308}
309
310// - https://doc.rust-lang.org/std/os/linux/fs/trait.MetadataExt.html
311// - https://doc.rust-lang.org/std/fs/struct.Metadata.html#impl-MetadataExt-1
312//
313// - https://doc.rust-lang.org/std/os/unix/fs/trait.MetadataExt.html
314// - https://doc.rust-lang.org/std/fs/struct.Metadata.html#impl-MetadataExt
315#[cfg(unix)]
316mod unix {
317 use super::FsPath;
318 use crate::IoResult;
319 use std::os::unix::fs::MetadataExt;
320
321 /// # `unix` methods that traverse symbolic links
322 #[rustfmt::skip]
323 impl FsPath {
324 /// Returns the ID of the device containing the file.
325 pub fn dev(&self) -> IoResult<u64> { Ok(self.metadata()?.dev()) }
326 /// Returns the inode number.
327 pub fn ino(&self) -> IoResult<u64> { Ok(self.metadata()?.ino()) }
328 /// Returns the rights applied to this file.
329 pub fn mode(&self) -> IoResult<u32> { Ok(self.metadata()?.mode()) }
330 /// Returns the number of hard links pointing to this file.
331 pub fn nlink(&self) -> IoResult<u64> { Ok(self.metadata()?.nlink()) }
332 /// Returns the user ID of the owner of this file.
333 pub fn uid(&self) -> IoResult<u32> { Ok(self.metadata()?.uid()) }
334 /// Returns the group ID of the owner of this file.
335 pub fn gid(&self) -> IoResult<u32> { Ok(self.metadata()?.gid()) }
336 /// Returns the device ID of this file (if it is a special one).
337 pub fn rdev(&self) -> IoResult<u64> { Ok(self.metadata()?.rdev()) }
338 /// Returns the total size of this file in bytes.
339 pub fn size(&self) -> IoResult<u64> { Ok(self.metadata()?.size()) }
340 /// Returns the last access time of the file, in seconds since Unix Epoch.
341 pub fn atime(&self) -> IoResult<i64> { Ok(self.metadata()?.atime()) }
342 /// Returns the last access time of the file, in nanoseconds since atime.
343 pub fn atime_nsec(&self) -> IoResult<i64> { Ok(self.metadata()?.atime_nsec()) }
344 /// Returns the last modification time of the file, in seconds since Unix Epoch.
345 pub fn mtime(&self) -> IoResult<i64> { Ok(self.metadata()?.mtime()) }
346 /// Returns the last modification time of the file, in nanoseconds since mtime.
347 pub fn mtime_nsec(&self) -> IoResult<i64> { Ok(self.metadata()?.mtime_nsec()) }
348 /// Returns the last status change time of the file, in seconds since Unix Epoch.
349 pub fn ctime(&self) -> IoResult<i64> { Ok(self.metadata()?.ctime()) }
350 /// Returns the last status change time of the file, in nanoseconds since ctime.
351 pub fn ctime_nsec(&self) -> IoResult<i64> { Ok(self.metadata()?.ctime_nsec()) }
352 /// Returns the block size for filesystem I/O.
353 pub fn blksize(&self) -> IoResult<u64> { Ok(self.metadata()?.blksize()) }
354 /// Returns the number of blocks allocated to the file, in 512-byte units.
355 pub fn blocks(&self) -> IoResult<u64> { Ok(self.metadata()?.blocks()) }
356 }
357
358 /// # `unix` methods that *optionally* traverse symbolic links
359 impl FsPath {
360 /// Returns the ID of the device containing the file.
361 pub fn dev_ts(&self, traverse: bool) -> IoResult<u64> {
362 Ok(self.metadata_ts(traverse)?.dev())
363 }
364 /// Returns the inode number.
365 pub fn ino_ts(&self, traverse: bool) -> IoResult<u64> {
366 Ok(self.metadata_ts(traverse)?.ino())
367 }
368 /// Returns the rights applied to this file.
369 pub fn mode_ts(&self, traverse: bool) -> IoResult<u32> {
370 Ok(self.metadata_ts(traverse)?.mode())
371 }
372 /// Returns the number of hard links pointing to this file.
373 pub fn nlink_ts(&self, traverse: bool) -> IoResult<u64> {
374 Ok(self.metadata_ts(traverse)?.nlink())
375 }
376 /// Returns the user ID of the owner of this file.
377 pub fn uid_ts(&self, traverse: bool) -> IoResult<u32> {
378 Ok(self.metadata_ts(traverse)?.uid())
379 }
380 /// Returns the group ID of the owner of this file.
381 pub fn gid_ts(&self, traverse: bool) -> IoResult<u32> {
382 Ok(self.metadata_ts(traverse)?.gid())
383 }
384 /// Returns the device ID of this file (if it is a special one).
385 pub fn rdev_ts(&self, traverse: bool) -> IoResult<u64> {
386 Ok(self.metadata_ts(traverse)?.rdev())
387 }
388 /// Returns the total size of this file in bytes.
389 pub fn size_ts(&self, traverse: bool) -> IoResult<u64> {
390 Ok(self.metadata_ts(traverse)?.size())
391 }
392 /// Returns the last access time of the file, in seconds since Unix Epoch.
393 pub fn atime_ts(&self, traverse: bool) -> IoResult<i64> {
394 Ok(self.metadata_ts(traverse)?.atime())
395 }
396 /// Returns the last access time of the file, in nanoseconds since atime.
397 pub fn atime_nsec_ts(&self, traverse: bool) -> IoResult<i64> {
398 Ok(self.metadata_ts(traverse)?.atime_nsec())
399 }
400 /// Returns the last modification time of the file, in seconds since Unix Epoch.
401 pub fn mtime_ts(&self, traverse: bool) -> IoResult<i64> {
402 Ok(self.metadata_ts(traverse)?.mtime())
403 }
404 /// Returns the last modification time of the file, in nanoseconds since mtime.
405 pub fn mtime_nsec_ts(&self, traverse: bool) -> IoResult<i64> {
406 Ok(self.metadata_ts(traverse)?.mtime_nsec())
407 }
408 /// Returns the last status change time of the file, in seconds since Unix Epoch.
409 pub fn ctime_ts(&self, traverse: bool) -> IoResult<i64> {
410 Ok(self.metadata_ts(traverse)?.ctime())
411 }
412 /// Returns the last status change time of the file, in nanoseconds since ctime.
413 pub fn ctime_nsec_ts(&self, traverse: bool) -> IoResult<i64> {
414 Ok(self.metadata_ts(traverse)?.ctime_nsec())
415 }
416 /// Returns the block size for filesystem I/O.
417 pub fn blksize_ts(&self, traverse: bool) -> IoResult<u64> {
418 Ok(self.metadata_ts(traverse)?.blksize())
419 }
420 /// Returns the number of blocks allocated to the file, in 512-byte units.
421 pub fn blocks_ts(&self, traverse: bool) -> IoResult<u64> {
422 Ok(self.metadata_ts(traverse)?.blocks())
423 }
424 }
425}
426
427// https://doc.rust-lang.org/std/os/linux/fs/trait.MetadataExt.html
428// https://doc.rust-lang.org/std/fs/struct.Metadata.html#impl-MetadataExt-3
429#[cfg(any(windows, doc))]
430#[rustfmt::skip]
431mod windows {
432 use super::FsPath;
433 use crate::IoResult;
434
435 #[cfg(windows)]
436 use std::os::windows::fs::MetadataExt;
437 // Mockup:
438 #[cfg(not(windows))]
439 crate::items! {
440 // https://doc.rust-lang.org/std/os/windows/fs/trait.MetadataExt.html
441 #[allow(missing_docs, dead_code)]
442 trait MetadataExt {
443 fn file_attributes(&self) -> u32 {0}
444 fn creation_time(&self) -> u64 {0}
445 fn last_access_time(&self) -> u64 {0}
446 fn last_write_time(&self) -> u64 {0}
447 fn file_size(&self) -> u64 {0}
448 fn volume_serial_number(&self) -> Option<u32> {None}
449 fn number_of_links(&self) -> Option<u32> {None}
450 fn file_index(&self) -> Option<u64> {None}
451 fn change_time(&self) -> Option<u64> {None}
452 }
453 impl MetadataExt for crate::FileMetadata {}
454 }
455
456 /// # `windows` methods
457 impl FsPath {
458 /// Returns the value of the dwFileAttributes field of this metadata.
459 pub fn file_attributes(&self) -> IoResult<u32> { Ok(self.metadata()?.file_attributes()) }
460 /// Returns the value of the ftCreationTime field of this metadata.
461 pub fn creation_time(&self) -> IoResult<u64> { Ok(self.metadata()?.creation_time()) }
462 /// Returns the value of the ftLastAccessTime field of this metadata.
463 pub fn last_access_time(&self) -> IoResult<u64> { Ok(self.metadata()?.last_access_time()) }
464 /// Returns the value of the ftLastWriteTime field of this metadata.
465 pub fn last_write_time(&self) -> IoResult<u64> { Ok(self.metadata()?.last_write_time()) }
466 /// Returns the value of the nFileSize{High,Low} fields of this metadata.
467 pub fn file_size(&self) -> IoResult<u64> { Ok(self.metadata()?.file_size()) }
468 }
469}
470
471#[rustfmt::skip]
472mod std_impls {
473 use super::{FsPath, PathBuf};
474 use crate::Path;
475
476 // From<PathBuf>
477 impl From<PathBuf> for FsPath { fn from(path: PathBuf) -> Self { Self { path } } }
478 impl From<&PathBuf> for FsPath { fn from(path: &PathBuf) -> Self { Self::new(path) } }
479 impl From<&mut PathBuf> for FsPath { fn from(path: &mut PathBuf) -> Self { Self::new(path) } }
480 // Into<PathBuf>
481 impl From<FsPath> for PathBuf { fn from(fspath: FsPath) -> Self { fspath.path } }
482 impl From<&FsPath> for PathBuf { fn from(fspath: &FsPath) -> Self { fspath.path.clone() } }
483 impl From<&mut FsPath> for PathBuf { fn from(fspath: &mut FsPath)
484 -> Self { fspath.path.clone() } }
485 impl<'a> From<&'a FsPath> for &'a PathBuf { fn from(fspath: &'a FsPath)
486 -> Self { &fspath.path } }
487 impl<'a> From<&'a mut FsPath> for &'a mut PathBuf { fn from(fspath: &'a mut FsPath)
488 -> Self { &mut fspath.path } }
489 // From<Path>
490 impl From<&Path> for FsPath { fn from(path: &Path) -> Self { Self::new(path) } }
491 impl From<&mut Path> for FsPath { fn from(path: &mut Path) -> Self { Self::new(path) } }
492 // Into<Path>
493 impl<'a> From<&'a FsPath> for &'a Path { fn from(fspath: &'a FsPath)
494 -> Self { fspath.path.as_path() } }
495 impl<'a> From<&'a mut FsPath> for &'a Path { fn from(fspath: &'a mut FsPath)
496 -> Self { fspath.path.as_path() } }
497}