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
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
use std::{path::Path, str::from_utf8};
use serde::{de::DeserializeOwned, Serialize};
use crate::{
config::Icinga2Instance,
types::rest::{RestApiEndpoint, RestApiResponse},
};
#[derive(Debug, Clone)]
pub struct Icinga2 {
client: reqwest::blocking::Client,
pub url: url::Url,
pub username: String,
password: String,
}
impl Icinga2 {
pub fn from_instance_config(config: &Icinga2Instance) -> Result<Self, crate::error::Error> {
let client_builder = reqwest::blocking::ClientBuilder::new();
let client_builder = client_builder.user_agent(concat!(
env!("CARGO_PKG_NAME"),
"/",
env!("CARGO_PKG_VERSION")
));
let mut headers = reqwest::header::HeaderMap::new();
headers.insert(
"Content-Type",
reqwest::header::HeaderValue::from_static("application/json"),
);
headers.insert(
"Accept",
reqwest::header::HeaderValue::from_static("application/json"),
);
let client_builder = client_builder.default_headers(headers);
let client_builder = if let Some(ca_certificate) = &config.ca_certificate {
let ca_cert_content = std::fs::read(ca_certificate)
.map_err(crate::error::Error::CouldNotReadCACertFile)?;
let ca_cert = reqwest::Certificate::from_pem(&ca_cert_content)
.map_err(crate::error::Error::CouldNotParsePEMCACertificate)?;
let client_builder = client_builder.add_root_certificate(ca_cert);
client_builder.tls_built_in_root_certs(false)
} else {
client_builder
};
let client = client_builder
.build()
.map_err(crate::error::Error::CouldNotBuildReqwestClientFromSuppliedInformation)?;
let url =
url::Url::parse(&config.url).map_err(crate::error::Error::CouldNotParseUrlInConfig)?;
let username = config.username.clone();
let password = config.password.clone();
Ok(Icinga2 {
client,
url,
username,
password,
})
}
pub fn from_config_file(path: &Path) -> Result<Self, crate::error::Error> {
let icinga_instance = Icinga2Instance::from_config_file(path)?;
Self::from_instance_config(&icinga_instance)
}
pub fn rest<ApiEndpoint, Res>(
&self,
api_endpoint: ApiEndpoint,
) -> Result<Res, crate::error::Error>
where
ApiEndpoint: RestApiEndpoint,
<ApiEndpoint as RestApiEndpoint>::RequestBody: Clone + Serialize + std::fmt::Debug,
Res: DeserializeOwned + std::fmt::Debug + RestApiResponse<ApiEndpoint>,
{
let method = api_endpoint.method()?;
let url = api_endpoint.url(&self.url)?;
let request_body: Option<std::borrow::Cow<<ApiEndpoint as RestApiEndpoint>::RequestBody>> =
api_endpoint.request_body()?;
let actual_method = if method == http::Method::GET && request_body.is_some() {
http::Method::POST
} else {
method.to_owned()
};
let mut req = self.client.request(actual_method, url.to_owned());
if method == http::Method::GET && request_body.is_some() {
tracing::trace!("Sending GET request with body as POST via X-HTTP-Method-Override");
req = req.header(
"X-HTTP-Method-Override",
http::header::HeaderValue::from_static("GET"),
);
}
req = req.basic_auth(&self.username, Some(&self.password));
if let Some(request_body) = request_body {
tracing::trace!("Request body:\n{:#?}", request_body);
req = req.json(&request_body);
}
let result = req.send();
if let Err(ref e) = result {
tracing::error!(%url, %method, "Icinga2 send error: {:?}", e);
}
let result = result?;
let status = result.status();
let response_body = result.bytes()?;
match from_utf8(&response_body) {
Ok(response_body) => {
tracing::trace!("Response body:\n{}", &response_body);
}
Err(e) => {
tracing::trace!(
"Response body that could not be parsed as utf8 because of {}:\n{:?}",
&e,
&response_body
);
}
}
if status.is_client_error() {
tracing::error!(%url, %method, "Icinga2 status error (client error): {:?}", status);
} else if status.is_server_error() {
tracing::error!(%url, %method, "Icinga2 status error (server error): {:?}", status);
}
if response_body.is_empty() {
Err(crate::error::Error::EmptyResponseBody(status))
} else {
let jd = &mut serde_json::Deserializer::from_slice(&response_body);
match serde_path_to_error::deserialize(jd) {
Ok(response_body) => {
tracing::trace!("Parsed response body:\n{:#?}", response_body);
Ok(response_body)
}
Err(e) => {
let path = e.path();
tracing::error!("Parsing failed at path {}: {}", path.to_string(), e.inner());
if let Ok(response_body) = serde_json::from_slice(&response_body) {
let mut response_body: serde_json::Value = response_body;
for segment in path {
match (response_body, segment) {
(
serde_json::Value::Array(vs),
serde_path_to_error::Segment::Seq { index },
) => {
if let Some(v) = vs.get(*index) {
response_body = v.to_owned();
} else {
return Err(e.into());
}
}
(
serde_json::Value::Object(m),
serde_path_to_error::Segment::Map { key },
) => {
if let Some(v) = m.get(key) {
response_body = v.to_owned();
} else {
return Err(e.into());
}
}
_ => {
return Err(e.into());
}
}
}
tracing::error!("Value in location path references is: {}", response_body);
}
Err(e.into())
}
}
}
}
}