alpm_types/
path.rs

1use std::{
2    fmt::{Display, Formatter},
3    path::{Path, PathBuf},
4    str::FromStr,
5};
6
7use serde::{Deserialize, Serialize};
8
9use crate::Error;
10
11/// A representation of an absolute path
12///
13/// AbsolutePath wraps a `PathBuf`, that is guaranteed to be absolute.
14///
15/// ## Examples
16/// ```
17/// use std::{path::PathBuf, str::FromStr};
18///
19/// use alpm_types::{AbsolutePath, Error};
20///
21/// # fn main() -> Result<(), alpm_types::Error> {
22/// // Create AbsolutePath from &str
23/// assert_eq!(
24///     AbsolutePath::from_str("/"),
25///     AbsolutePath::new(PathBuf::from("/"))
26/// );
27/// assert_eq!(
28///     AbsolutePath::from_str("./"),
29///     Err(Error::PathNotAbsolute(PathBuf::from("./")))
30/// );
31///
32/// // Format as String
33/// assert_eq!("/", format!("{}", AbsolutePath::from_str("/")?));
34/// # Ok(())
35/// # }
36/// ```
37#[derive(Clone, Debug, Eq, PartialEq, Serialize)]
38pub struct AbsolutePath(PathBuf);
39
40impl AbsolutePath {
41    /// Create a new `AbsolutePath`
42    pub fn new(path: PathBuf) -> Result<AbsolutePath, Error> {
43        match path.is_absolute() {
44            true => Ok(AbsolutePath(path)),
45            false => Err(Error::PathNotAbsolute(path)),
46        }
47    }
48
49    /// Return a reference to the inner type
50    pub fn inner(&self) -> &Path {
51        &self.0
52    }
53}
54
55impl FromStr for AbsolutePath {
56    type Err = Error;
57
58    /// Parses an absolute path from a string
59    ///
60    /// # Errors
61    ///
62    /// Returns an error if the path is not absolute
63    fn from_str(s: &str) -> Result<AbsolutePath, Self::Err> {
64        match Path::new(s).is_absolute() {
65            true => Ok(AbsolutePath(PathBuf::from(s))),
66            false => Err(Error::PathNotAbsolute(PathBuf::from(s))),
67        }
68    }
69}
70
71impl Display for AbsolutePath {
72    fn fmt(&self, fmt: &mut Formatter) -> std::fmt::Result {
73        write!(fmt, "{}", self.inner().display())
74    }
75}
76
77/// An absolute path used as build directory
78///
79/// This is a type alias for [`AbsolutePath`]
80///
81/// ## Examples
82/// ```
83/// use std::str::FromStr;
84///
85/// use alpm_types::{Error, BuildDirectory};
86///
87/// # fn main() -> Result<(), alpm_types::Error> {
88/// // Create BuildDirectory from &str and format it
89/// assert_eq!(
90///     "/etc",
91///     BuildDirectory::from_str("/etc")?.to_string()
92/// );
93/// # Ok(())
94/// # }
95pub type BuildDirectory = AbsolutePath;
96
97/// An absolute path used as start directory in a package build environment
98///
99/// This is a type alias for [`AbsolutePath`]
100///
101/// ## Examples
102/// ```
103/// use std::str::FromStr;
104///
105/// use alpm_types::{Error, StartDirectory};
106///
107/// # fn main() -> Result<(), alpm_types::Error> {
108/// // Create StartDirectory from &str and format it
109/// assert_eq!(
110///     "/etc",
111///     StartDirectory::from_str("/etc")?.to_string()
112/// );
113/// # Ok(())
114/// # }
115pub type StartDirectory = AbsolutePath;
116
117/// A representation of a relative file path
118///
119/// `RelativePath` wraps a `PathBuf` that is guaranteed to represent a
120/// relative file path (i.e. it does not end with a `/`).
121///
122/// ## Examples
123///
124/// ```
125/// use std::{path::PathBuf, str::FromStr};
126///
127/// use alpm_types::{Error, RelativePath};
128///
129/// # fn main() -> Result<(), alpm_types::Error> {
130/// // Create RelativePath from &str
131/// assert_eq!(
132///     RelativePath::from_str("etc/test.conf"),
133///     RelativePath::new(PathBuf::from("etc/test.conf"))
134/// );
135/// assert_eq!(
136///     RelativePath::from_str("/etc/test.conf"),
137///     Err(Error::PathNotRelative(PathBuf::from("/etc/test.conf")))
138/// );
139///
140/// // Format as String
141/// assert_eq!(
142///     "test/test.txt",
143///     RelativePath::from_str("test/test.txt")?.to_string()
144/// );
145/// # Ok(())
146/// # }
147/// ```
148#[derive(Clone, Debug, Deserialize, Eq, PartialEq, Serialize)]
149pub struct RelativePath(PathBuf);
150
151impl RelativePath {
152    /// Create a new `RelativePath`
153    pub fn new(path: PathBuf) -> Result<RelativePath, Error> {
154        match path.is_relative()
155            && !path
156                .to_string_lossy()
157                .ends_with(std::path::MAIN_SEPARATOR_STR)
158        {
159            true => Ok(RelativePath(path)),
160            false => Err(Error::PathNotRelative(path)),
161        }
162    }
163
164    /// Return a reference to the inner type
165    pub fn inner(&self) -> &Path {
166        &self.0
167    }
168}
169
170impl FromStr for RelativePath {
171    type Err = Error;
172
173    /// Parses a relative path from a string
174    ///
175    /// # Errors
176    ///
177    /// Returns an error if the path is not relative
178    fn from_str(s: &str) -> Result<RelativePath, Self::Err> {
179        Self::new(PathBuf::from(s))
180    }
181}
182
183impl Display for RelativePath {
184    fn fmt(&self, fmt: &mut Formatter) -> std::fmt::Result {
185        write!(fmt, "{}", self.inner().display())
186    }
187}
188
189/// The path of a packaged file that should be preserved during package operations
190///
191/// This is a type alias for [`RelativePath`]
192///
193/// ## Examples
194/// ```
195/// use std::str::FromStr;
196///
197/// use alpm_types::Backup;
198///
199/// # fn main() -> Result<(), alpm_types::Error> {
200/// // Create Backup from &str and format it
201/// assert_eq!(
202///     "etc/test.conf",
203///     Backup::from_str("etc/test.conf")?.to_string()
204/// );
205/// # Ok(())
206/// # }
207pub type Backup = RelativePath;
208
209/// A special install script that is to be included in the package
210///
211/// This is a type alias for [RelativePath`]
212///
213/// ## Examples
214/// ```
215/// use std::str::FromStr;
216///
217/// use alpm_types::{Error, Install};
218///
219/// # fn main() -> Result<(), alpm_types::Error> {
220/// // Create Install from &str and format it
221/// assert_eq!(
222///     "scripts/setup.install",
223///     Install::from_str("scripts/setup.install")?.to_string()
224/// );
225/// # Ok(())
226/// # }
227pub type Install = RelativePath;
228
229/// The relative path to a changelog file that may be included in a package
230///
231/// This is a type alias for [`RelativePath`]
232///
233/// ## Examples
234/// ```
235/// use std::str::FromStr;
236///
237/// use alpm_types::{Error, Changelog};
238///
239/// # fn main() -> Result<(), alpm_types::Error> {
240/// // Create Changelog from &str and format it
241/// assert_eq!(
242///     "changelog.md",
243///     Changelog::from_str("changelog.md")?.to_string()
244/// );
245/// # Ok(())
246/// # }
247pub type Changelog = RelativePath;
248
249#[cfg(test)]
250mod tests {
251    use rstest::rstest;
252
253    use super::*;
254
255    #[rstest]
256    #[case("/home", BuildDirectory::new(PathBuf::from("/home")))]
257    #[case("./", Err(Error::PathNotAbsolute(PathBuf::from("./"))))]
258    #[case("~/", Err(Error::PathNotAbsolute(PathBuf::from("~/"))))]
259    #[case("foo.txt", Err(Error::PathNotAbsolute(PathBuf::from("foo.txt"))))]
260    fn build_dir_from_string(#[case] s: &str, #[case] result: Result<BuildDirectory, Error>) {
261        assert_eq!(BuildDirectory::from_str(s), result);
262    }
263
264    #[rstest]
265    #[case("/start", StartDirectory::new(PathBuf::from("/start")))]
266    #[case("./", Err(Error::PathNotAbsolute(PathBuf::from("./"))))]
267    #[case("~/", Err(Error::PathNotAbsolute(PathBuf::from("~/"))))]
268    #[case("foo.txt", Err(Error::PathNotAbsolute(PathBuf::from("foo.txt"))))]
269    fn startdir_from_str(#[case] s: &str, #[case] result: Result<StartDirectory, Error>) {
270        assert_eq!(StartDirectory::from_str(s), result);
271    }
272
273    #[rstest]
274    #[case("etc/test.conf", RelativePath::new(PathBuf::from("etc/test.conf")))]
275    #[case(
276        "/etc/test.conf",
277        Err(Error::PathNotRelative(PathBuf::from("/etc/test.conf")))
278    )]
279    #[case("etc/", Err(Error::PathNotRelative(PathBuf::from("etc/"))))]
280    #[case("etc", RelativePath::new(PathBuf::from("etc")))]
281    #[case(
282        "../etc/test.conf",
283        RelativePath::new(PathBuf::from("../etc/test.conf"))
284    )]
285    fn relative_path_from_str(#[case] s: &str, #[case] result: Result<RelativePath, Error>) {
286        assert_eq!(RelativePath::from_str(s), result);
287    }
288}