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
use crate::{
auth::AuthenticationError,
db::{get_user_by_id, User},
handlers::ApplicationError,
};
use actix_web::HttpRequest;
use chrono::{Duration, Utc};
use jsonwebtoken::{decode, encode, DecodingKey, EncodingKey, Header, Validation};
use sqlx::PgPool;
use uuid::Uuid;
pub struct JwtClient {
auth_key: String,
pool: PgPool,
}
impl JwtClient {
pub fn new(auth_key: String, pool: PgPool) -> Self {
Self { auth_key, pool }
}
#[tracing::instrument(name = "services::jwt::encode_token", skip(self))]
pub fn encode_token(&self, user_id: Uuid) -> Result<String, AuthenticationError> {
Ok(self.encode_token_with_exp(user_id, 60 * 60)?)
}
#[tracing::instrument(name = "services::jwt::encode_token_with_exp", skip(self))]
pub fn encode_token_with_exp(
&self,
user_id: Uuid,
exp_offset: i64,
) -> Result<String, anyhow::Error> {
let my_iat = Utc::now().timestamp();
let my_exp = Utc::now()
.checked_add_signed(Duration::seconds(exp_offset))
.expect("invalid timestamp")
.timestamp();
let my_claims = Claims {
sub: user_id.to_string(),
iat: my_iat as usize,
exp: my_exp as usize,
};
Ok(encode(
&Header::default(),
&my_claims,
&EncodingKey::from_secret(self.auth_key.as_bytes()),
)?)
}
#[tracing::instrument(name = "services::jwt::decode_token", skip(self))]
pub fn decode_token(&self, token: &str) -> Result<Claims, anyhow::Error> {
Ok(decode::<Claims>(
token,
&DecodingKey::from_secret(self.auth_key.as_bytes()),
&Validation::default(),
)?
.claims)
}
pub async fn user_or_403(&self, request: HttpRequest) -> Result<User, ApplicationError> {
let auth_header = request
.headers()
.get("Authorization")
.ok_or(AuthenticationError::Unauthorized)?;
let token = auth_header
.to_str()
.map_err(|e| AuthenticationError::UnexpectedError(anyhow::anyhow!(e)))?;
let claims = self
.decode_token(token)
.map_err(|e| AuthenticationError::UnexpectedError(anyhow::anyhow!(e)))?;
let user = get_user_by_id(claims.sub, &self.pool).await?;
tracing::Span::current().record("username", &tracing::field::display(&user.username));
tracing::Span::current().record("user_id", &tracing::field::display(&user.id));
Ok(user)
}
}
#[derive(serde::Deserialize, serde::Serialize, Debug)]
pub struct Claims {
pub sub: String,
pub iat: usize,
pub exp: usize,
}