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
//! This module contains the possible responses from the public interfaces in
//! this crate.
//!
//! [`Result<T>`](type.Result.html) can be either `T` or an
//! [`Error`](enum.Error.html).
use std::io::Error as IOError;
use std::result;
use std::error;
use std::fmt;
use std::convert::From;

/// An error in the interaction with the CDB.
#[derive(Debug)]
pub enum Error {
    /// The CDB is under 2048 bytes. The file being read is not a valid CDB.
    CDBTooSmall,
    /// The `key` being fetched isn't in the CDB.
    KeyNotInCDB,
    /// There was an error accessing the file.  It wraps the original
    /// `std::io::Error`.
    IOError(IOError),
}

pub type Result<T> = result::Result<T, Error>;

impl fmt::Display for Error {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        match *self {
            Error::CDBTooSmall => write!(f, "File too small to be a CDB"),
            Error::KeyNotInCDB => write!(f, "The key is not in the CDB"),
            Error::IOError(ref e) => write!(f, "IO Error: {}", e),
        }
    }
}

impl error::Error for Error {
    fn description(&self) -> &str {
        match *self {
            Error::CDBTooSmall => "The file is too small to be a valid CDB",
            Error::KeyNotInCDB => "The key is not in the CDB",
            // The underlying error already impl `Error`, so we defer to its 
            // implementation.
            Error::IOError(ref e) => e.description(),
        }
    }

    fn cause(&self) -> Option<&error::Error> {
        match *self {
            Error::CDBTooSmall => None,
            Error::KeyNotInCDB => None,
            Error::IOError(ref e) => Some(e),
        }
    }
}

/// Allows seamless conversion from a `galvanize::Error` into an
/// `std::io::Error`. This way, the `try!()` macro can be used directly.
impl From<IOError> for Error {
    fn from(e: IOError) -> Self {
        Error::IOError(e)
    }
}