Skip to content

Commit c16424b

Browse files
committed
chore: Refactor database queries for improved performance
1 parent 5491fd1 commit c16424b

14 files changed

+335
-48
lines changed

Cargo.lock

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

Cargo.toml

+2
Original file line numberDiff line numberDiff line change
@@ -30,6 +30,7 @@ sqlx = { version = "0.5.7", default-features = false, features = ["offline", "ru
3030
unicode-segmentation = "1"
3131
validator = "0.16.0"
3232
reqwest = { version = "0.11.18", default-features = false, features = ["json", "rustls-tls"] }
33+
rand = { version = "0.8", features = ["std_rng"] }
3334

3435
[dev-dependencies]
3536
once_cell = "1"
@@ -40,6 +41,7 @@ rand = "0.8.5"
4041
fake = "2.6.1"
4142
wiremock = "0.5.19"
4243
serde_json = "1"
44+
linkify = "0.8.0"
4345

4446
[profile.release]
4547
strip = true

configuration/local.yml

+1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
application:
22
host: 127.0.0.1
3+
base_url: "http://127.0.0.1"
34
database:
45
require_ssl: false

migrations/20230619112026_make_status_not_null_in_subscriptions.sql

+1-5
Original file line numberDiff line numberDiff line change
@@ -3,10 +3,6 @@
33
-- in more details towards the end of this chapter!
44
-- `sqlx` does not do it automatically for us.
55
BEGIN;
6-
-- Backfill `status` for historical entries
7-
UPDATE subscriptions
8-
SET status = 'confirmed'
9-
WHERE status IS NULL;
10-
-- Make `status` mandatory
6+
UPDATE subscriptions SET status = 'confirmed' WHERE status IS NULL;
117
ALTER TABLE subscriptions ALTER COLUMN status SET NOT NULL;
128
COMMIT;

spec.yaml

+3
Original file line numberDiff line numberDiff line change
@@ -53,6 +53,9 @@ services:
5353
- key: APP_DATABASE__DATABASE_NAME
5454
scope: RUN_TIME
5555
value: ${newsletter.DATABASE}
56+
- key: APP_APPLICATION__BASE_URL
57+
scope: RUN_TIME
58+
value: ${APP_URL}
5659
databases:
5760
# PG = Postgres
5861
- engine: PG

src/configuration.rs

+1
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,7 @@ pub struct ApplicationSettings {
1717
#[serde(deserialize_with = "deserialize_number_from_string")]
1818
pub port: u16,
1919
pub host: String,
20+
pub base_url: String,
2021
}
2122

2223
#[derive(serde::Deserialize, Clone)]

src/routes/mod.rs

+2
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,7 @@
11
mod health_check;
22
mod subscriptions;
3+
mod subscriptions_confirm;
34

45
pub use health_check::*;
56
pub use subscriptions::*;
7+
pub use subscriptions_confirm::*;

src/routes/subscriptions.rs

+112-25
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,14 @@
1-
use crate::domain::{NewSubscriber, SubscriberEmail, SubscriberName};
2-
use crate::email_client::EmailClient;
1+
use crate::{
2+
domain::{NewSubscriber, SubscriberEmail, SubscriberName},
3+
email_client::EmailClient,
4+
startup::ApplicationBaseUrl,
5+
};
36
use actix_web::{web, HttpResponse};
47
use chrono::Utc;
8+
use rand::{distributions::Alphanumeric, thread_rng, Rng};
9+
510
use sqlx::types::Uuid;
6-
use sqlx::PgPool;
11+
use sqlx::{PgPool, Postgres, Transaction};
712

813
#[allow(dead_code)]
914
#[derive(serde::Deserialize)]
@@ -12,9 +17,19 @@ pub struct FormData {
1217
name: String,
1318
}
1419

20+
impl TryFrom<FormData> for NewSubscriber {
21+
type Error = String;
22+
23+
fn try_from(value: FormData) -> Result<Self, Self::Error> {
24+
let name = SubscriberName::parse(value.name)?;
25+
let email = SubscriberEmail::parse(value.email)?;
26+
Ok(Self { name, email })
27+
}
28+
}
29+
1530
#[tracing::instrument(
1631
name = "Adding a new subscriber",
17-
skip(form, pool, email_client),
32+
skip(form, pool, email_client, base_url),
1833
fields(
1934
email = %form.email,
2035
name = %form.name
@@ -24,61 +39,124 @@ pub async fn subscribe(
2439
form: web::Form<FormData>,
2540
pool: web::Data<PgPool>,
2641
email_client: web::Data<EmailClient>,
42+
base_url: web::Data<ApplicationBaseUrl>,
2743
) -> HttpResponse {
2844
let new_subscriber = match form.0.try_into() {
2945
Ok(subscriber) => subscriber,
3046
Err(e) => return HttpResponse::BadRequest().body(e),
3147
};
3248

33-
if insert_subscriber(&new_subscriber, &pool).await.is_err() {
49+
let mut transaction = match pool.begin().await {
50+
Ok(t) => t,
51+
Err(_) => return HttpResponse::InternalServerError().finish(),
52+
};
53+
54+
let subscriber_id = match insert_subscriber(&new_subscriber, &mut transaction).await {
55+
Ok(id) => id,
56+
Err(_) => return HttpResponse::InternalServerError().finish(),
57+
};
58+
59+
let subscription_token = generate_subscription_token();
60+
61+
if store_token(subscriber_id, &subscription_token, &pool).await.is_err() {
3462
return HttpResponse::InternalServerError().finish();
3563
}
3664

37-
if email_client
38-
.send_email(
39-
new_subscriber.email,
40-
"Welcome!",
41-
"Welcome to our newsletter!",
42-
"Welcome to our newsletter!",
43-
)
65+
if send_confirmation_email(&email_client, new_subscriber, &base_url.0, &subscription_token)
4466
.await
4567
.is_err()
4668
{
4769
return HttpResponse::InternalServerError().finish();
4870
}
4971

72+
if transaction.commit().await.is_err() {
73+
return HttpResponse::InternalServerError().finish();
74+
}
75+
5076
HttpResponse::Ok().finish()
5177
}
5278

53-
impl TryFrom<FormData> for NewSubscriber {
54-
type Error = String;
79+
#[tracing::instrument(
80+
name = "Send a confirmation email to a new subscriber",
81+
skip(new_subscriber, email_client)
82+
)]
83+
pub async fn send_confirmation_email(
84+
email_client: &EmailClient,
85+
new_subscriber: NewSubscriber,
86+
base_url: &str,
87+
subscription_token: &str,
88+
) -> Result<(), reqwest::Error> {
89+
let confirmation_link = format!(
90+
"{}/subscriptions/confirm?subscription_token={}",
91+
base_url, subscription_token
92+
);
93+
let html_body_text = format!(
94+
"Welcome to our newsletter!<br />\
95+
Click <a href=\"{}\">here</a> to confirm your subscription.",
96+
confirmation_link
97+
);
5598

56-
fn try_from(value: FormData) -> Result<Self, Self::Error> {
57-
let name = SubscriberName::parse(value.name)?;
58-
let email = SubscriberEmail::parse(value.email)?;
59-
Ok(Self { name, email })
60-
}
99+
let plain_body_text = format!(
100+
"Welcome to our newsletter!\nVisit {} to confirm your subscription.",
101+
confirmation_link
102+
);
103+
104+
email_client
105+
.send_email(
106+
new_subscriber.email,
107+
"Welcome!",
108+
&html_body_text,
109+
&plain_body_text,
110+
)
111+
.await
61112
}
62113

63114
#[tracing::instrument(
64115
name = "Saving a new subscriber details in the database",
65-
skip(new_subscriber, pool)
116+
skip(new_subscriber, transaction),
66117
)]
67118
async fn insert_subscriber(
68119
new_subscriber: &NewSubscriber,
69-
pool: &PgPool,
70-
) -> Result<(), sqlx::Error> {
71-
let subscribe_id = Uuid::new_v4();
120+
transaction: &mut Transaction<'_, Postgres>
121+
) -> Result<Uuid, sqlx::Error> {
122+
let subscriber_id = Uuid::new_v4();
72123
sqlx::query!(
73124
r#"
74125
INSERT INTO subscriptions (id, email, name, subscribed_at, status)
75-
VALUES ($1, $2, $3, $4, 'confirmed')
126+
VALUES ($1, $2, $3, $4, 'pending_confirmation')
76127
"#,
77-
subscribe_id,
128+
subscriber_id,
78129
new_subscriber.email.as_ref(),
79130
new_subscriber.name.as_ref(),
80131
Utc::now()
81132
)
133+
.execute(transaction)
134+
.await
135+
.map_err(|e| {
136+
tracing::error!("Failed to execute query: {:?}", e);
137+
e
138+
})?;
139+
Ok(subscriber_id)
140+
}
141+
142+
/// Store subscription token in the database
143+
#[tracing::instrument(
144+
name = "Saving subscription token in the database",
145+
skip(subscriber_id, subscription_token, pool)
146+
)]
147+
async fn store_token(
148+
subscriber_id: Uuid,
149+
subscription_token: &str,
150+
pool: &PgPool,
151+
) -> Result<(), sqlx::Error> {
152+
sqlx::query!(
153+
r#"
154+
INSERT INTO subscription_tokens (subscription_token, subscriber_id)
155+
VALUES ($1, $2)
156+
"#,
157+
subscription_token,
158+
subscriber_id,
159+
)
82160
.execute(pool)
83161
.await
84162
.map_err(|e| {
@@ -87,3 +165,12 @@ async fn insert_subscriber(
87165
})?;
88166
Ok(())
89167
}
168+
169+
/// Gnerate a random 25 character-long case-sensitive subscription token
170+
fn generate_subscription_token() -> String {
171+
let mut rng = thread_rng();
172+
std::iter::repeat_with(|| rng.sample(Alphanumeric))
173+
.map(char::from)
174+
.take(25)
175+
.collect()
176+
}

src/routes/subscriptions_confirm.rs

+56
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,56 @@
1+
use actix_web::{web, HttpResponse};
2+
use sqlx::{PgPool, types::Uuid};
3+
4+
#[derive(serde::Deserialize)]
5+
pub struct Parameters {
6+
subscription_token: String,
7+
}
8+
9+
#[tracing::instrument(name = "Confirm a pending subscriber", skip(parameters, pool))]
10+
pub async fn confirm(parameters: web::Query<Parameters>, pool: web::Data<PgPool>) -> HttpResponse {
11+
let id = match get_subscriber_id_from_token(&parameters.subscription_token, &pool).await {
12+
Ok(id) => id,
13+
Err(_) => return HttpResponse::BadRequest().finish(),
14+
};
15+
16+
match id {
17+
None => HttpResponse::Unauthorized().finish(),
18+
Some(subscriber_id) => {
19+
if confirm_subscriber(&pool, subscriber_id).await.is_err() {
20+
return HttpResponse::InternalServerError().finish();
21+
}
22+
HttpResponse::Ok().finish()
23+
}
24+
}
25+
}
26+
27+
#[tracing::instrument(name = "Mark subscriber as confirmed", skip(pool, subscriber_id))]
28+
pub async fn confirm_subscriber(pool: &PgPool, subscriber_id: Uuid) -> Result<(), sqlx::Error> {
29+
sqlx::query!(
30+
r#"UPDATE subscriptions SET status = 'confirmed' WHERE id = $1"#,
31+
subscriber_id
32+
)
33+
.execute(pool)
34+
.await
35+
.map_err(|e| {
36+
tracing::error!("Failed to execute query: {:?}", e);
37+
e
38+
})?;
39+
Ok(())
40+
}
41+
42+
/// Get subscriber token from the database
43+
#[tracing::instrument(name = "Getting subscriber ID from token", skip(token, pool))]
44+
async fn get_subscriber_id_from_token(token: &str, pool: &PgPool) -> Result<Option<Uuid>, sqlx::Error> {
45+
let result = sqlx::query!(
46+
r#"SELECT subscriber_id FROM subscription_tokens WHERE subscription_token = $1"#,
47+
token
48+
)
49+
.fetch_optional(pool)
50+
.await
51+
.map_err(|e| {
52+
tracing::error!("Failed to execute query: {:?}", e);
53+
e
54+
})?;
55+
Ok(result.map(|r| r.subscriber_id))
56+
}

src/startup.rs

+12-2
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
use crate::{
22
configuration::{DatabaseSettings, Settings},
33
email_client::EmailClient,
4-
routes::{health_check, subscribe},
4+
routes::{confirm, health_check, subscribe},
55
};
66
use actix_web::{dev::Server, web, App, HttpServer};
77
use sqlx::postgres::PgPoolOptions;
@@ -38,7 +38,12 @@ impl Application {
3838

3939
let listener = TcpListener::bind(address)?;
4040
let port = listener.local_addr().unwrap().port();
41-
let server = run(listener, connection_pool, email_client)?;
41+
let server = run(
42+
listener,
43+
connection_pool,
44+
email_client,
45+
configuration.application.base_url,
46+
)?;
4247
Ok(Self { port, server })
4348
}
4449

@@ -57,10 +62,13 @@ pub fn get_connection_pool(configuration: &DatabaseSettings) -> PgPool {
5762
.connect_lazy_with(configuration.with_db())
5863
}
5964

65+
pub struct ApplicationBaseUrl(pub String);
66+
6067
pub fn run(
6168
listener: TcpListener,
6269
db_pool: PgPool,
6370
email_client: EmailClient,
71+
base_url: String,
6472
) -> Result<Server, std::io::Error> {
6573
let db_pool = web::Data::new(db_pool);
6674
let email_client = web::Data::new(email_client);
@@ -70,8 +78,10 @@ pub fn run(
7078
.wrap(TracingLogger::default())
7179
.route("/health_check", web::get().to(health_check))
7280
.route("/subscriptions", web::post().to(subscribe))
81+
.route("/subscriptions/confirm", web::get().to(confirm))
7382
.app_data(db_pool.clone())
7483
.app_data(email_client.clone())
84+
.app_data(base_url.clone())
7585
})
7686
.listen(listener)?
7787
.run();

0 commit comments

Comments
 (0)