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
use serde::de::DeserializeOwned;
use serde_json::value::Value as JValue;
use std::collections::HashMap;
use std::error::Error;
use std::fmt;
use std::fmt::Debug;
#[derive(Deserialize, Debug)]
pub struct ApiError {
pub code: u16,
pub message: String,
#[serde(flatten)]
pub other: HashMap<String, JValue>,
}
#[derive(Deserialize, Debug, Default)]
pub struct ApiErrors {
#[serde(flatten)]
pub other: HashMap<String, JValue>,
pub errors: Vec<ApiError>,
}
impl PartialEq for ApiErrors {
fn eq(&self, other: &Self) -> bool {
self.errors == other.errors
}
}
impl PartialEq for ApiError {
fn eq(&self, other: &Self) -> bool {
self.code == other.code && self.message == other.message
}
}
impl Eq for ApiError {}
impl Eq for ApiErrors {}
impl Error for ApiError {}
impl fmt::Display for ApiError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "Error {}: {}", self.code, self.message)
}
}
pub trait ApiResult: DeserializeOwned + Debug {}
#[derive(Debug)]
pub enum ApiFailure {
Error(reqwest::StatusCode, ApiErrors),
Invalid(reqwest::Error),
}
impl Error for ApiFailure {}
impl PartialEq for ApiFailure {
fn eq(&self, other: &ApiFailure) -> bool {
match (self, other) {
(ApiFailure::Invalid(e1), ApiFailure::Invalid(e2)) => e1.to_string() == e2.to_string(),
(ApiFailure::Error(status1, e1), ApiFailure::Error(status2, e2)) => {
status1 == status2 && e1 == e2
}
_ => false,
}
}
}
impl Eq for ApiFailure {}
impl fmt::Display for ApiFailure {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self {
ApiFailure::Error(status, api_errors) => {
let mut output = "".to_owned();
output.push_str(&format!("HTTP {}", status));
for err in &api_errors.errors {
output.push_str(&format!(
"\n{}: {} ({:?})",
err.code, err.message, err.other
));
}
for (k, v) in &api_errors.other {
output.push_str(&format!("\n{}: {}", k, v));
}
write!(f, "{}", output)
}
ApiFailure::Invalid(err) => write!(f, "{}", err),
}
}
}
impl From<reqwest::Error> for ApiFailure {
fn from(error: reqwest::Error) -> Self {
ApiFailure::Invalid(error)
}
}