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
use http_types::{Body, Error, Request, Result, StatusCode, Url};
use std::env;
use super::*;
const DEFAULT_BASE_URL: &str = "https://api.sendgrid.com/v3/";
pub struct Client {
base_url: Url,
key: String,
}
impl Client {
pub fn new<K>(key: K) -> Self
where
K: Into<String>,
{
Self {
base_url: Url::parse(DEFAULT_BASE_URL).expect("error parsing DEFAULT_BASE_URL"),
key: key.into(),
}
}
pub fn new_from_env() -> Self {
let key = env::var("SENDGRID_API_KEY").expect("SENDGRID_API_KEY env variable not set");
Client::new(key)
}
pub fn key(&self) -> &str {
&self.key
}
pub fn url(&self, path: &str) -> Result<Url> {
Ok(self.base_url.join(path)?)
}
pub async fn send_message(&self, message: &Message) -> Result<()> {
let url = self.url("mail/send")?;
let mut request = Request::post(url);
self.set_authorization_header(&mut request)?;
request.set_body(Body::from_json(message)?);
let mut resp = crate::http_client::execute(request).await?;
match resp.status() {
StatusCode::Accepted => Ok(()),
s => {
let body = resp.body_string().await?;
let error = anyhow::Error::msg(body);
Err(Error::new(s, error))
}
}
}
pub fn set_authorization_header(&self, req: &mut Request) -> Result<()> {
use http_types::headers::*;
let bt = format!("Bearer {}", self.key);
let bearer = HeaderValue::from_bytes(bt.into_bytes())?;
req.append_header(AUTHORIZATION, bearer);
Ok(())
}
}