Skip to content

Commit 2a117ea

Browse files
committed
code in chapter 7.2.5.0.2
Add email client (for verification) Work In Progress: this code exposes a compiler bug (1.72) encountered incremental compilation error with mir_shims(aa7d6ad7e64c8d82-9f4068ebffc54ad8) |
1 parent 3415e2e commit 2a117ea

11 files changed

+431
-161
lines changed

Cargo.lock

+226-133
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

Cargo.toml

+9-2
Original file line numberDiff line numberDiff line change
@@ -37,6 +37,12 @@ features = [
3737
#"offline", # sqlx 0.7 does not have 'offline'
3838
]
3939

40+
[dependencies.reqwest]
41+
version = "0.11"
42+
default-features = false
43+
# We need the `json` feature flag to serialize/deserialize JSON payloads
44+
features = ["json", "rustls-tls"]
45+
4046
[lib]
4147
path = "src/lib.rs"
4248
name = "zero2prod"
@@ -48,9 +54,10 @@ path = "src/main.rs"
4854
name = "zero2prod"
4955

5056
[dev-dependencies]
51-
reqwest = "0.11"
5257
once_cell = "1"
5358
claims = "0.7"
5459
fake = "~2.3"
5560
quickcheck = "0.9.2"
56-
quickcheck_macros = "0.9.1"
61+
quickcheck_macros = "0.9.1"
62+
# tokio = { version = "1", features = ["rt", "macros"] } it compiles without?!
63+
wiremock = "0.5"

configuration/base.yaml

+6-1
Original file line numberDiff line numberDiff line change
@@ -8,4 +8,9 @@ database:
88
port: 5432
99
username: "postgres"
1010
password: "password" # used locally only. When deploying to DigitalOcean, a strong password is used
11-
database_name: "newsletter"
11+
database_name: "newsletter"
12+
13+
email_client:
14+
base_url: "localhost"
15+
sender_email: "[email protected]"
16+
authorization_token: "873fa009-f43b-4494-a791-0d39c68792f4"

configuration/production.yaml

+7-1
Original file line numberDiff line numberDiff line change
@@ -4,4 +4,10 @@ application:
44

55

66
database:
7-
require_ssl: true
7+
require_ssl: true
8+
9+
email_client:
10+
# Value retrieved from Postmark's API documentation
11+
base_url: "https://api.postmarkapp.com"
12+
# Use the single sender email you authorised on Postmark!
13+
sender_email: "[email protected]"

src/configuration.rs

+30-11
Original file line numberDiff line numberDiff line change
@@ -1,18 +1,36 @@
11
//! src/configuration.rs
22
//!
33
4-
use secrecy::Secret;
54
use secrecy::ExposeSecret;
5+
use secrecy::Secret;
66
use serde_aux::field_attributes::deserialize_number_from_string;
7-
use sqlx::postgres::{PgConnectOptions,PgSslMode};
7+
use sqlx::postgres::{PgConnectOptions, PgSslMode};
8+
use crate::domain::SubscriberEmail;
89

910

1011
#[derive(serde::Deserialize)]
1112
pub struct Settings {
1213
pub database: DatabaseSettings,
1314
pub application: ApplicationSettings,
15+
pub email_client: EmailClientSettings,
1416
}
1517

18+
19+
#[derive(serde::Deserialize)]
20+
pub struct EmailClientSettings {
21+
pub base_url: String,
22+
pub sender_email: String,
23+
// New (secret) configuration value!
24+
pub authorization_token: Secret<String>
25+
}
26+
27+
impl EmailClientSettings {
28+
pub fn sender(&self) -> Result<SubscriberEmail, String> {
29+
SubscriberEmail::parse(self.sender_email.clone())
30+
}
31+
}
32+
33+
1634
#[derive(serde::Deserialize)]
1735
pub struct DatabaseSettings {
1836
pub username: String,
@@ -37,6 +55,7 @@ pub enum Environment {
3755
Local,
3856
Production,
3957
}
58+
4059
impl Environment {
4160
pub fn as_str(&self) -> &'static str {
4261
match self {
@@ -45,6 +64,7 @@ impl Environment {
4564
}
4665
}
4766
}
67+
4868
impl TryFrom<String> for Environment {
4969
type Error = String;
5070

@@ -62,7 +82,6 @@ impl TryFrom<String> for Environment {
6282
}
6383

6484
pub fn get_configuration() -> Result<Settings, config::ConfigError> {
65-
6685
let base_path = std::env::current_dir()
6786
.expect("Failed to determine the current directory");
6887
let configuration_directory = base_path.join("configuration");
@@ -96,14 +115,14 @@ impl DatabaseSettings {
96115
options
97116
}
98117

99-
pub fn without_db(&self) -> PgConnectOptions {
100-
let ssl_mode = if self.require_ssl {
101-
PgSslMode::Require
102-
} else {
103-
// Try an encrypted connection, fallback to unencrypted if it fails
104-
PgSslMode::Prefer
105-
};
106-
PgConnectOptions::new()
118+
pub fn without_db(&self) -> PgConnectOptions {
119+
let ssl_mode = if self.require_ssl {
120+
PgSslMode::Require
121+
} else {
122+
// Try an encrypted connection, fallback to unencrypted if it fails
123+
PgSslMode::Prefer
124+
};
125+
PgConnectOptions::new()
107126
.host(&self.host)
108127
.username(&self.username)
109128
.password(&self.password.expose_secret())

src/domain/subscriber_email.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
//! src/domain/subscriber_email.rs
22
use validator::validate_email;
33

4-
#[derive(Debug)]
4+
#[derive(Debug,Clone)]
55
pub struct SubscriberEmail(String);
66

77
impl SubscriberEmail {

src/email_client.rs

+119
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,119 @@
1+
//! src/email_client.rs
2+
use reqwest::Client;
3+
use secrecy::{ExposeSecret, Secret};
4+
5+
use crate::domain::SubscriberEmail;
6+
7+
#[derive(Clone)]
8+
pub struct EmailClient {
9+
http_client: Client,
10+
base_url: String,
11+
sender: SubscriberEmail,
12+
// We don't want to log this by accident
13+
authorization_token: Secret<String>,
14+
}
15+
16+
impl EmailClient {
17+
pub fn new(base_url: String, sender: SubscriberEmail,
18+
authorization_token: Secret<String>) -> Self {
19+
Self {
20+
http_client: Client::new(),
21+
base_url,
22+
sender,
23+
authorization_token,
24+
}
25+
}
26+
27+
28+
pub async fn send_email(
29+
&self,
30+
recipient: SubscriberEmail,
31+
subject: &str,
32+
html_content: &str,
33+
text_content: &str,
34+
) -> Result<(), reqwest::Error> {
35+
let url = format!("{}/email", self.base_url);
36+
let request_body = SendEmailRequest {
37+
from: self.sender.as_ref().to_owned(),
38+
to: recipient.as_ref().to_owned(),
39+
subject: subject.to_owned(),
40+
html_body: html_content.to_owned(),
41+
text_body: text_content.to_owned(),
42+
};
43+
44+
self
45+
.http_client
46+
.post(&url)
47+
.header(
48+
"X-Postmark-Server-Token",
49+
self.authorization_token.expose_secret(),
50+
)
51+
.json(&request_body)
52+
.send()
53+
.await?;
54+
Ok(())
55+
}
56+
}
57+
58+
#[derive(serde::Serialize)]
59+
struct SendEmailRequest {
60+
from: String,
61+
to: String,
62+
subject: String,
63+
html_body: String,
64+
text_body: String,
65+
}
66+
67+
/* password: KsgAcS!aaJm3WLj
68+
api token:
69+
*/
70+
#[cfg(test)]
71+
mod tests {
72+
use fake::{Fake, Faker};
73+
use fake::faker::internet::en::SafeEmail;
74+
use fake::faker::lorem::en::{Paragraph, Sentence};
75+
use secrecy::Secret;
76+
77+
use wiremock::{Mock, MockServer, Request, ResponseTemplate};
78+
use wiremock::matchers::{header, header_exists, method, path};
79+
80+
use crate::domain::SubscriberEmail;
81+
use crate::email_client::EmailClient;
82+
83+
struct SendEmailBodyMatcher;
84+
85+
impl wiremock::Match for SendEmailBodyMatcher {
86+
fn matches(&self, request: &Request) -> bool {
87+
unimplemented!()
88+
}
89+
}
90+
91+
#[tokio::test]
92+
async fn send_email_fires_a_request_to_base_url() {
93+
// Arrange
94+
let mock_server = MockServer::start().await;
95+
let sender = SubscriberEmail::parse(SafeEmail().fake()).unwrap();
96+
let email_client = EmailClient::new(
97+
mock_server.uri(),
98+
sender,
99+
Secret::new(Faker.fake()),
100+
);
101+
Mock::given(header_exists("X-Postmark-Server-Token"))
102+
.and(header("Content-Type", "application/json"))
103+
.and(path("/email"))
104+
.and(method("POST"))
105+
.respond_with(ResponseTemplate::new(200))
106+
.expect(1)
107+
.mount(&mock_server)
108+
.await;
109+
let subscriber_email = SubscriberEmail::parse(SafeEmail().fake()).unwrap();
110+
let subject: String = Sentence(1..2).fake();
111+
let content: String = Paragraph(1..10).fake();
112+
// Act
113+
let _ = email_client
114+
.send_email(subscriber_email, &subject, &content, &content)
115+
.await;
116+
// Assert
117+
// When going out of scope, the Mock::expect() are checked
118+
}
119+
}

src/lib.rs

+1-4
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,8 @@
11
//! lib.rs
22
3-
4-
5-
6-
73
pub mod configuration;
84
pub mod domain;
5+
pub mod email_client;
96
pub mod routes;
107
pub mod startup;
118
pub mod telemetry;

src/main.rs

+18-6
Original file line numberDiff line numberDiff line change
@@ -1,10 +1,13 @@
11
//! main.rs
22
33
use std::net::TcpListener;
4+
5+
use sqlx::postgres::PgPoolOptions;
6+
47
use zero2prod::configuration::get_configuration;
8+
use zero2prod::email_client::EmailClient;
59
use zero2prod::startup::run;
610
use zero2prod::telemetry::{get_subscriber, init_subscriber};
7-
use sqlx::postgres::PgPoolOptions;
811

912
#[tokio::main]
1013
async fn main() -> Result<(), std::io::Error> {
@@ -13,13 +16,22 @@ async fn main() -> Result<(), std::io::Error> {
1316

1417
// read configuration
1518
let configuration = get_configuration().expect("Failed to read configuration.");
16-
let connection_pool = PgPoolOptions::new()
17-
.acquire_timeout(std::time::Duration:: from_secs(2))
19+
let connection_pool = PgPoolOptions::new()
20+
.acquire_timeout(std::time::Duration::from_secs(2))
1821
.connect_lazy_with(configuration.database.with_db());
1922

20-
// We have removed the hard-coded `8000` - it's now coming from our settings!
23+
// Build an `EmailClient` using `configuration`
24+
let sender_email = configuration.email_client.sender()
25+
.expect("Invalid sender email address.");
26+
let email_client = EmailClient::new(
27+
configuration.email_client.base_url,
28+
sender_email,
29+
configuration.email_client.authorization_token
30+
);
31+
32+
2133
let address = format!("{}:{}",
22-
configuration.application.host, configuration.application.port);
34+
configuration.application.host, configuration.application.port);
2335
let listener = TcpListener::bind(address)?;
24-
run(listener, connection_pool)?.await
36+
run(listener, connection_pool, email_client)?.await
2537
}

src/startup.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -5,8 +5,9 @@ use std::net::TcpListener;
55
use sqlx::PgPool;
66
use crate::routes::{health_check::health_check, subscriptions::subscribe};
77
use tracing_actix_web::TracingLogger;
8+
use crate::email_client:: EmailClient;
89

9-
pub fn run(listener: TcpListener, db_pool: PgPool) -> Result<Server, std::io::Error> {
10+
pub fn run(listener: TcpListener, db_pool: PgPool,email_client: EmailClient,) -> Result<Server, std::io::Error> {
1011
// Wrap the connection in a smart pointer
1112
let db_pool = web::Data::new(db_pool);
1213
// Capture `connection` from the surrounding environment ---> add "move"
@@ -18,6 +19,7 @@ pub fn run(listener: TcpListener, db_pool: PgPool) -> Result<Server, std::io::E
1819
.route("/subscriptions", web::post().to(subscribe))
1920
// Register the connection as part of the application state
2021
.app_data(db_pool.clone()) // this will be used in src/routes/subscriptions handler
22+
.app_data(email_client.clone())
2123
})
2224
.listen(listener)?
2325
.run();

tests/health_check.rs

+11-1
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,9 @@ use zero2prod::configuration::{DatabaseSettings, get_configuration};
88
use zero2prod::telemetry::{get_subscriber, init_subscriber};
99
use once_cell::sync::Lazy;
1010

11+
use zero2prod::email_client::EmailClient;
12+
13+
1114
// `tokio::test` is the testing equivalent of `tokio::main`.
1215
// It also spares you from having to specify the `#[test]` attribute.
1316
//
@@ -78,7 +81,13 @@ async fn spawn_app() -> TestApp {
7881
configuration.database.database_name = Uuid::new_v4().to_string(); // random DB name to run tests in isolation
7982
let connection_pool = configure_database(&configuration.database).await;
8083

81-
let server = zero2prod::startup::run(listener, connection_pool.clone()).expect("Failed to bind address");
84+
let sender_email = configuration.email_client.sender().expect("Invalid sender email address.");
85+
let email_client = EmailClient::new(
86+
configuration.email_client.base_url,
87+
sender_email,
88+
configuration.email_client.authorization_token,
89+
);
90+
let server = zero2prod::startup::run(listener, connection_pool.clone(), email_client).expect("Failed to bind address");
8291
let _ = tokio::spawn(server);
8392

8493
TestApp {
@@ -93,6 +102,7 @@ pub async fn configure_database(config: &DatabaseSettings) -> PgPool {
93102
let mut connection = PgConnection::connect_with(&config.without_db())
94103
.await
95104
.expect("Failed to connect to Postgres");
105+
96106
connection
97107
.execute(format!(r#"CREATE DATABASE "{}";"#, config.database_name).as_str())
98108
.await

0 commit comments

Comments
 (0)