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
use std::error::Error as StdError;
use std::fmt;

/// Type alias for `std::result::Result<T, Error>`
pub type Result<T> = std::result::Result<T, Error>;

/// Error type returned by [`SearchPathsProvider`].
///
/// [`SearchPathsProvider`]: enum.SearchPathsProvider.html
#[derive(Debug)]
pub enum Error {
    /// Config file could not be found.
    ConfigNotFound,

    /// Error loading config file.
    LoadConfig {
        /// The source for the error.
        source: ini::ini::Error,
    },

    /// Config does not contain valid theme name.
    ConfigMissingThemeName,

    /// Error originating in the `xdg` crate.
    XDG {
        /// The source for the error.
        source: xdg::BaseDirectoriesError,
    },

    /// Wrapper for errors returned by custom [`SearchPathsProvider`].
    ///
    /// [`SearchPathsProvider`]: ../struct.SearchPathsProvider.html
    Custom {
        /// The source for the error.
        source: Box<dyn StdError + Send + Sync>,
    },
}

impl StdError for Error {
    fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
        match self {
            Error::XDG { source } => Some(source),
            Error::LoadConfig { source } => Some(source),
            Error::Custom { source } => Some(source.as_ref()),
            _ => None,
        }
    }
}

impl fmt::Display for Error {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        match self {
            Error::ConfigNotFound => write!(f, "Config file could not be found."),
            Error::LoadConfig { source } => write!(f, "Error loading config file: {}", source),
            Error::ConfigMissingThemeName => {
                write!(f, "Config file is missing a valid theme name.")
            }
            Error::XDG { source } => write!(f, "Error loading XDG locations: {}", source),
            Error::Custom { source } => {
                write!(f, "Error in custom theme name provider: {}", source)
            }
        }
    }
}

impl From<ini::ini::Error> for Error {
    fn from(source: ini::ini::Error) -> Self {
        Error::LoadConfig { source }
    }
}

impl From<xdg::BaseDirectoriesError> for Error {
    fn from(source: xdg::BaseDirectoriesError) -> Self {
        Error::XDG { source }
    }
}