Update all packages, switch to tower-sessions
This commit is contained in:
parent
6c23b3aaa3
commit
c9a631a1f2
1483
Cargo.lock
generated
1483
Cargo.lock
generated
File diff suppressed because it is too large
Load Diff
35
Cargo.toml
35
Cargo.toml
@ -13,31 +13,32 @@ path = "src/lib.rs"
|
||||
|
||||
[dependencies]
|
||||
ammonia = "3.3.0"
|
||||
ansi-to-html = "0.1"
|
||||
ansi-to-html = "0.2"
|
||||
anyhow = "1"
|
||||
argon2 = "0.5"
|
||||
async-fred-session = "0.1"
|
||||
axum = { version = "0.6", features = ["form", "headers", "multipart", "query"] }
|
||||
axum-client-ip = "0.4"
|
||||
# waiting for new axum-login release which will support sqlx v. 0.7+
|
||||
axum-login = { git = "https://github.com/maxcountryman/axum-login", branch = "main", features = [
|
||||
"postgres",
|
||||
] }
|
||||
async-trait = "0.1"
|
||||
axum = { version = "0.7", features = ["form", "multipart", "query"] }
|
||||
axum-client-ip = "0.5"
|
||||
axum-extra = { version = "0.9", features = ["typed-header"] }
|
||||
axum-login = "0.10"
|
||||
bytes = "1.4"
|
||||
# TODO: replace chrono with time
|
||||
chrono = { version = "0.4", features = ["serde"] }
|
||||
clap = { version = "4.4", features = ["derive", "env"] }
|
||||
dotenvy = "0.15"
|
||||
feed-rs = "1.3"
|
||||
futures = "0.3"
|
||||
headers = "0.3"
|
||||
http = "0.2.9"
|
||||
headers = "0.4"
|
||||
http = "1.0.0"
|
||||
ipnetwork = "0.20"
|
||||
lettre = { version = "0.10", features = ["builder"] }
|
||||
maud = { version = "0.25", features = ["axum"] }
|
||||
lettre = { version = "0.11", features = ["builder"] }
|
||||
# waiting for new maud release which will support axum v. 0.7+: https://github.com/lambda-fairy/maud/pull/401
|
||||
maud = { git = "https://github.com/vidhanio/maud", branch = "patch-1", features = [
|
||||
"axum",
|
||||
] }
|
||||
notify = "6"
|
||||
once_cell = "1.18"
|
||||
opml = "1.1"
|
||||
rand = { version = "0.8.5", features = ["min_const_gen"] }
|
||||
password-auth = "1.0"
|
||||
readability = "0.2"
|
||||
reqwest = { version = "0.11", features = ["json"] }
|
||||
serde = { version = "1", features = ["derive"] }
|
||||
@ -52,11 +53,13 @@ sqlx = { version = "0.7", features = [
|
||||
"ipnetwork",
|
||||
] }
|
||||
thiserror = "1"
|
||||
time = "0.3"
|
||||
tokio = { version = "1", features = ["full"] }
|
||||
tokio-stream = { version = "0.1", features = ["sync"] }
|
||||
tower = "0.4"
|
||||
tower-livereload = "0.8"
|
||||
tower-http = { version = "0.4", features = ["trace", "fs"] }
|
||||
tower-livereload = "0.9"
|
||||
tower-http = { version = "0.5", features = ["trace", "fs"] }
|
||||
tower-sessions = { version = "0.7", features = ["redis-store"] }
|
||||
tracing = { version = "0.1", features = ["valuable", "attributes"] }
|
||||
tracing-appender = "0.2"
|
||||
tracing-subscriber = { version = "0.3", features = ["env-filter"] }
|
||||
|
107
src/auth.rs
107
src/auth.rs
@ -1,38 +1,95 @@
|
||||
use anyhow::Context;
|
||||
use argon2::password_hash::{
|
||||
rand_core::OsRng, PasswordHash, PasswordHasher, PasswordVerifier, SaltString,
|
||||
};
|
||||
use argon2::Argon2;
|
||||
use async_trait::async_trait;
|
||||
use axum_login::{AuthUser, AuthnBackend, UserId};
|
||||
use password_auth;
|
||||
use serde::Deserialize;
|
||||
use sqlx::PgPool;
|
||||
use uuid::Uuid;
|
||||
|
||||
use crate::error::{Error, Result};
|
||||
use crate::{error::Result, models::user::User};
|
||||
|
||||
pub async fn hash_password(password: String) -> Result<String> {
|
||||
pub async fn generate_hash(password: String) -> Result<String> {
|
||||
// Argon2 hashing is designed to be computationally intensive,
|
||||
// so we need to do this on a blocking thread.
|
||||
tokio::task::spawn_blocking(move || -> Result<String> {
|
||||
let salt = SaltString::generate(&mut OsRng);
|
||||
let argon2 = Argon2::default();
|
||||
Ok(argon2
|
||||
.hash_password(password.as_bytes(), &salt)
|
||||
.map_err(|e| anyhow::anyhow!("failed to generate password hash: {}", e))?
|
||||
.to_string())
|
||||
})
|
||||
tokio::task::spawn_blocking(move || -> String { password_auth::generate_hash(password) })
|
||||
.await
|
||||
.context("panic in generating password hash")?
|
||||
.context("panic in generating password hash")
|
||||
.map_err(|e| e.into())
|
||||
}
|
||||
|
||||
pub async fn verify_password(password: String, password_hash: String) -> Result<()> {
|
||||
tokio::task::spawn_blocking(move || -> Result<()> {
|
||||
let hash = PasswordHash::new(&password_hash)
|
||||
.map_err(|e| anyhow::anyhow!("invalid password hash: {}", e))?;
|
||||
|
||||
Argon2::default()
|
||||
.verify_password(password.as_bytes(), &hash)
|
||||
.map_err(|e| match e {
|
||||
argon2::password_hash::Error::Password => Error::Unauthorized,
|
||||
_ => anyhow::anyhow!("failed to verify password hash: {}", e).into(),
|
||||
})
|
||||
password_auth::verify_password(password.as_bytes(), &password_hash)
|
||||
.map_err(|e| anyhow::anyhow!("failed to verify password hash: {}", e).into())
|
||||
})
|
||||
.await
|
||||
.context("panic in verifying password hash")?
|
||||
}
|
||||
|
||||
impl AuthUser for User {
|
||||
type Id = Uuid;
|
||||
|
||||
fn id(&self) -> Self::Id {
|
||||
self.user_id
|
||||
}
|
||||
|
||||
fn session_auth_hash(&self) -> &[u8] {
|
||||
self.password_hash.as_bytes()
|
||||
}
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone, Deserialize)]
|
||||
pub struct Credentials {
|
||||
pub email: String,
|
||||
pub password: String,
|
||||
}
|
||||
|
||||
#[derive(Debug, Clone)]
|
||||
pub struct Backend {
|
||||
db: PgPool,
|
||||
}
|
||||
|
||||
impl Backend {
|
||||
pub fn new(db: PgPool) -> Self {
|
||||
Self { db }
|
||||
}
|
||||
}
|
||||
|
||||
#[async_trait]
|
||||
impl AuthnBackend for Backend {
|
||||
type User = User;
|
||||
type Credentials = Credentials;
|
||||
type Error = sqlx::Error;
|
||||
|
||||
async fn authenticate(
|
||||
&self,
|
||||
creds: Self::Credentials,
|
||||
) -> Result<Option<Self::User>, Self::Error> {
|
||||
let user = User::get_by_email(&self.db, creds.email).await.ok();
|
||||
|
||||
if let Some(user) = user {
|
||||
if verify_password(creds.password, user.password_hash.clone())
|
||||
.await
|
||||
.ok()
|
||||
.is_some()
|
||||
{
|
||||
return Ok(Some(user));
|
||||
}
|
||||
}
|
||||
Ok(None)
|
||||
}
|
||||
|
||||
async fn get_user(&self, user_id: &UserId<Self>) -> Result<Option<Self::User>, Self::Error> {
|
||||
sqlx::query_as!(
|
||||
User,
|
||||
r#"select
|
||||
*
|
||||
from users
|
||||
where user_id = $1"#,
|
||||
user_id
|
||||
)
|
||||
.fetch_optional(&self.db)
|
||||
.await
|
||||
}
|
||||
}
|
||||
|
||||
pub type AuthSession = axum_login::AuthSession<Backend>;
|
||||
|
@ -63,4 +63,6 @@ pub struct Config {
|
||||
pub session_secret: String,
|
||||
#[clap(long, env, default_value = "ConnectInfo")]
|
||||
pub ip_source: IpSource,
|
||||
#[clap(long, env, default_value = "100")]
|
||||
pub session_duration_days: i64,
|
||||
}
|
||||
|
15
src/handlers/account.rs
Normal file
15
src/handlers/account.rs
Normal file
@ -0,0 +1,15 @@
|
||||
use axum::response::IntoResponse;
|
||||
|
||||
use crate::auth::AuthSession;
|
||||
|
||||
pub async fn get(auth: AuthSession) -> impl IntoResponse {
|
||||
match auth.user {
|
||||
Some(user) => {
|
||||
format!(
|
||||
"Logged in as: {}",
|
||||
user.name.unwrap_or_else(|| "No name".to_string())
|
||||
)
|
||||
}
|
||||
None => "Not logged in".to_string(),
|
||||
}
|
||||
}
|
@ -1,7 +1,7 @@
|
||||
use axum::extract::Query;
|
||||
use axum::extract::State;
|
||||
use axum::response::IntoResponse;
|
||||
use axum::TypedHeader;
|
||||
use axum_extra::TypedHeader;
|
||||
use sqlx::PgPool;
|
||||
|
||||
use crate::api_response::ApiResponse;
|
||||
|
@ -1,7 +1,7 @@
|
||||
use axum::TypedHeader;
|
||||
use axum::extract::Query;
|
||||
use axum::response::IntoResponse;
|
||||
use axum::extract::State;
|
||||
use axum::response::IntoResponse;
|
||||
use axum_extra::TypedHeader;
|
||||
use sqlx::PgPool;
|
||||
|
||||
use crate::api_response::ApiResponse;
|
||||
@ -21,7 +21,5 @@ pub async fn get(
|
||||
return Ok::<ApiResponse<Vec<Feed>>, Error>(ApiResponse::Json(feeds));
|
||||
}
|
||||
}
|
||||
Ok(ApiResponse::Html(
|
||||
feed_list(feeds, &options).into_string(),
|
||||
))
|
||||
Ok(ApiResponse::Html(feed_list(feeds, &options).into_string()))
|
||||
}
|
||||
|
@ -1,6 +1,7 @@
|
||||
use axum::extract::{Query, State};
|
||||
use axum::response::Response;
|
||||
use axum::{Form, TypedHeader};
|
||||
use axum::Form;
|
||||
use axum_extra::TypedHeader;
|
||||
use lettre::SmtpTransport;
|
||||
use maud::{html, Markup};
|
||||
use serde::Deserialize;
|
||||
@ -9,11 +10,12 @@ use sqlx::PgPool;
|
||||
use tracing::{info, warn};
|
||||
use uuid::Uuid;
|
||||
|
||||
use crate::auth::AuthSession;
|
||||
use crate::config::Config;
|
||||
use crate::error::{Error, Result};
|
||||
use crate::htmx::HXTarget;
|
||||
use crate::mailers::email_verification::send_confirmation_email;
|
||||
use crate::models::user::{AuthContext, User};
|
||||
use crate::models::user::User;
|
||||
use crate::models::user_email_verification_token::UserEmailVerificationToken;
|
||||
use crate::partials::confirm_email_form::{confirm_email_form, ConfirmEmailFormProps};
|
||||
use crate::partials::layout::Layout;
|
||||
@ -66,7 +68,7 @@ pub fn confirm_email_page(
|
||||
|
||||
pub async fn get(
|
||||
State(pool): State<PgPool>,
|
||||
auth: AuthContext,
|
||||
auth: AuthSession,
|
||||
hx_target: Option<TypedHeader<HXTarget>>,
|
||||
layout: Layout,
|
||||
query: Query<ConfirmEmailQuery>,
|
||||
@ -129,7 +131,7 @@ pub async fn get(
|
||||
hx_target,
|
||||
layout,
|
||||
form_props: ConfirmEmailFormProps {
|
||||
email: auth.current_user.map(|u| u.email),
|
||||
email: auth.user.map(|u| u.email),
|
||||
..Default::default()
|
||||
},
|
||||
..Default::default()
|
||||
|
@ -2,7 +2,7 @@ use std::fs;
|
||||
|
||||
use axum::extract::{Path, State};
|
||||
use axum::response::Response;
|
||||
use axum::TypedHeader;
|
||||
use axum_extra::TypedHeader;
|
||||
use maud::{html, PreEscaped};
|
||||
use sqlx::PgPool;
|
||||
|
||||
|
@ -4,7 +4,8 @@ use axum::extract::{Path, State};
|
||||
use axum::http::StatusCode;
|
||||
use axum::response::sse::{Event, KeepAlive};
|
||||
use axum::response::{IntoResponse, Redirect, Response, Sse};
|
||||
use axum::{Form, TypedHeader};
|
||||
use axum::Form;
|
||||
use axum_extra::TypedHeader;
|
||||
use feed_rs::parser;
|
||||
use maud::html;
|
||||
use serde::Deserialize;
|
||||
|
@ -1,6 +1,6 @@
|
||||
use axum::extract::State;
|
||||
use axum::response::Response;
|
||||
use axum::TypedHeader;
|
||||
use axum_extra::TypedHeader;
|
||||
use maud::html;
|
||||
use sqlx::PgPool;
|
||||
|
||||
|
@ -1,7 +1,7 @@
|
||||
use axum::response::{IntoResponse, Response};
|
||||
use axum::TypedHeader;
|
||||
use axum::{extract::State, Form};
|
||||
use axum_client_ip::SecureClientIp;
|
||||
use axum_extra::TypedHeader;
|
||||
use headers::UserAgent;
|
||||
use lettre::SmtpTransport;
|
||||
use maud::html;
|
||||
@ -10,11 +10,11 @@ use serde_with::serde_as;
|
||||
use sqlx::PgPool;
|
||||
use tracing::{info, warn};
|
||||
|
||||
use crate::auth::AuthSession;
|
||||
use crate::config::Config;
|
||||
use crate::error::{Error, Result};
|
||||
use crate::htmx::HXTarget;
|
||||
use crate::mailers::forgot_password::send_forgot_password_email;
|
||||
use crate::models::user::AuthContext;
|
||||
use crate::partials::forgot_password_form::{forgot_password_form, ForgotPasswordFormProps};
|
||||
use crate::{models::user::User, partials::layout::Layout};
|
||||
|
||||
@ -67,7 +67,7 @@ pub fn confirm_forgot_password_sent_page(
|
||||
}
|
||||
|
||||
pub async fn get(
|
||||
auth: AuthContext,
|
||||
auth: AuthSession,
|
||||
hx_target: Option<TypedHeader<HXTarget>>,
|
||||
layout: Layout,
|
||||
) -> Result<Response> {
|
||||
@ -75,7 +75,7 @@ pub async fn get(
|
||||
hx_target,
|
||||
layout,
|
||||
ForgotPasswordFormProps {
|
||||
email: auth.current_user.map(|u| u.email),
|
||||
email: auth.user.map(|u| u.email),
|
||||
email_error: None,
|
||||
},
|
||||
))
|
||||
|
@ -1,6 +1,6 @@
|
||||
use axum::extract::State;
|
||||
use axum::response::Response;
|
||||
use axum::TypedHeader;
|
||||
use axum_extra::TypedHeader;
|
||||
use maud::html;
|
||||
use sqlx::PgPool;
|
||||
|
||||
|
@ -2,14 +2,14 @@ use std::convert::Infallible;
|
||||
use std::str::from_utf8;
|
||||
use std::time::Duration;
|
||||
|
||||
use ansi_to_html::convert_escaped;
|
||||
use ansi_to_html::convert;
|
||||
use axum::extract::State;
|
||||
use axum::response::sse::KeepAlive;
|
||||
use axum::response::{
|
||||
sse::{Event, Sse},
|
||||
Response,
|
||||
};
|
||||
use axum::TypedHeader;
|
||||
use axum_extra::TypedHeader;
|
||||
use bytes::Bytes;
|
||||
use maud::{html, PreEscaped};
|
||||
use tokio::sync::watch::Receiver;
|
||||
@ -29,7 +29,7 @@ pub async fn get(hx_target: Option<TypedHeader<HXTarget>>, layout: Layout) -> Re
|
||||
.targeted(hx_target)
|
||||
.render(html! {
|
||||
pre id="log" hx-sse="connect:/log/stream swap:message" hx-swap="beforeend" hx-target="#log" {
|
||||
(PreEscaped(convert_escaped(from_utf8(mem_buf.as_slices().0).unwrap()).unwrap()))
|
||||
(PreEscaped(convert(from_utf8(mem_buf.as_slices().0).unwrap()).unwrap()))
|
||||
}
|
||||
}))
|
||||
}
|
||||
@ -41,7 +41,7 @@ pub async fn stream(
|
||||
let log_stream = log_stream.map(|line| {
|
||||
Ok(Event::default().data(
|
||||
html! {
|
||||
(PreEscaped(convert_escaped(from_utf8(&line).unwrap()).unwrap()))
|
||||
(PreEscaped(convert(from_utf8(&line).unwrap()).unwrap()))
|
||||
}
|
||||
.into_string(),
|
||||
))
|
||||
|
@ -1,29 +1,34 @@
|
||||
use axum::response::{IntoResponse, Response};
|
||||
use axum::TypedHeader;
|
||||
use axum::{extract::State, Form};
|
||||
use axum::Form;
|
||||
use axum_extra::TypedHeader;
|
||||
use http::HeaderValue;
|
||||
use maud::html;
|
||||
use serde::Deserialize;
|
||||
use serde_with::serde_as;
|
||||
use sqlx::PgPool;
|
||||
use tracing::info;
|
||||
|
||||
use crate::auth::verify_password;
|
||||
use crate::auth::{AuthSession, Credentials};
|
||||
use crate::error::{Error, Result};
|
||||
use crate::htmx::{HXRedirect, HXRequest, HXTarget};
|
||||
use crate::partials::login_form::{login_form, LoginFormProps};
|
||||
use crate::{
|
||||
models::user::{AuthContext, User},
|
||||
partials::layout::Layout,
|
||||
};
|
||||
use crate::{models::user::User, partials::layout::Layout};
|
||||
|
||||
#[serde_as]
|
||||
#[derive(Deserialize)]
|
||||
#[derive(Debug, Clone, Deserialize)]
|
||||
pub struct Login {
|
||||
email: String,
|
||||
password: String,
|
||||
}
|
||||
|
||||
impl From<Login> for Credentials {
|
||||
fn from(login: Login) -> Self {
|
||||
Credentials {
|
||||
email: login.email,
|
||||
password: login.password,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
pub fn login_page(
|
||||
hx_target: Option<TypedHeader<HXTarget>>,
|
||||
layout: Layout,
|
||||
@ -53,18 +58,16 @@ pub async fn get(hx_target: Option<TypedHeader<HXTarget>>, layout: Layout) -> Re
|
||||
}
|
||||
|
||||
pub async fn post(
|
||||
State(pool): State<PgPool>,
|
||||
mut auth: AuthContext,
|
||||
mut auth: AuthSession,
|
||||
hx_target: Option<TypedHeader<HXTarget>>,
|
||||
hx_request: Option<TypedHeader<HXRequest>>,
|
||||
layout: Layout,
|
||||
Form(login): Form<Login>,
|
||||
) -> Result<Response> {
|
||||
let user: User = match User::get_by_email(&pool, login.email.clone()).await {
|
||||
Ok(user) => user,
|
||||
Err(err) => {
|
||||
if let Error::NotFoundString(_, _) = err {
|
||||
info!(email = login.email, "invalid email");
|
||||
let user: User = match auth.authenticate(login.clone().into()).await {
|
||||
Ok(Some(user)) => user,
|
||||
Ok(None) => {
|
||||
info!(email = login.email, "authentication failed");
|
||||
return Ok(login_page(
|
||||
hx_target,
|
||||
layout,
|
||||
@ -74,26 +77,11 @@ pub async fn post(
|
||||
..Default::default()
|
||||
},
|
||||
));
|
||||
} else {
|
||||
return Err(err);
|
||||
}
|
||||
Err(_) => {
|
||||
return Err(Error::InternalServerError);
|
||||
}
|
||||
};
|
||||
if verify_password(login.password, user.password_hash.clone())
|
||||
.await
|
||||
.is_err()
|
||||
{
|
||||
info!(user_id = %user.user_id, "invalid password");
|
||||
return Ok(login_page(
|
||||
hx_target,
|
||||
layout,
|
||||
LoginFormProps {
|
||||
email: Some(login.email),
|
||||
general_error: Some("invalid email or password".to_string()),
|
||||
..Default::default()
|
||||
},
|
||||
));
|
||||
}
|
||||
info!(user_id = %user.user_id, "login successful");
|
||||
auth.login(&user)
|
||||
.await
|
||||
|
@ -1,6 +1,12 @@
|
||||
use crate::{models::user::AuthContext, htmx::HXRedirect};
|
||||
use anyhow::Context;
|
||||
use axum::response::{IntoResponse, Response};
|
||||
|
||||
pub async fn get(mut auth: AuthContext) -> HXRedirect {
|
||||
auth.logout().await;
|
||||
HXRedirect::to("/").reload(true)
|
||||
use crate::auth::AuthSession;
|
||||
use crate::error::Result;
|
||||
use crate::htmx::HXRedirect;
|
||||
|
||||
pub async fn get(mut auth: AuthSession) -> Result<Response> {
|
||||
auth.logout()
|
||||
.context("failed to logout user from session")?;
|
||||
Ok(HXRedirect::to("/").reload(true).into_response())
|
||||
}
|
||||
|
@ -1,12 +1,13 @@
|
||||
pub mod account;
|
||||
pub mod api;
|
||||
pub mod confirm_email;
|
||||
pub mod entries;
|
||||
pub mod entry;
|
||||
pub mod home;
|
||||
pub mod import;
|
||||
pub mod feed;
|
||||
pub mod feeds;
|
||||
pub mod forgot_password;
|
||||
pub mod home;
|
||||
pub mod import;
|
||||
pub mod log;
|
||||
pub mod login;
|
||||
pub mod logout;
|
||||
|
@ -1,6 +1,6 @@
|
||||
use axum::response::{IntoResponse, Response};
|
||||
use axum::TypedHeader;
|
||||
use axum::{extract::State, Form};
|
||||
use axum_extra::TypedHeader;
|
||||
use http::HeaderValue;
|
||||
use lettre::SmtpTransport;
|
||||
use maud::html;
|
||||
@ -8,11 +8,12 @@ use serde::Deserialize;
|
||||
use serde_with::{serde_as, NoneAsEmptyString};
|
||||
use sqlx::PgPool;
|
||||
|
||||
use crate::auth::AuthSession;
|
||||
use crate::config::Config;
|
||||
use crate::error::{Error, Result};
|
||||
use crate::htmx::{HXRedirect, HXTarget};
|
||||
use crate::mailers::email_verification::send_confirmation_email;
|
||||
use crate::models::user::{AuthContext, CreateUser, User};
|
||||
use crate::models::user::{CreateUser, User};
|
||||
use crate::partials::layout::Layout;
|
||||
use crate::partials::register_form::{register_form, RegisterFormProps};
|
||||
|
||||
@ -61,7 +62,7 @@ pub async fn post(
|
||||
State(pool): State<PgPool>,
|
||||
State(mailer): State<SmtpTransport>,
|
||||
State(config): State<Config>,
|
||||
mut auth: AuthContext,
|
||||
mut auth: AuthSession,
|
||||
hx_target: Option<TypedHeader<HXTarget>>,
|
||||
layout: Layout,
|
||||
Form(register): Form<Register>,
|
||||
|
@ -1,8 +1,8 @@
|
||||
use axum::extract::Query;
|
||||
use axum::response::Response;
|
||||
use axum::TypedHeader;
|
||||
use axum::{extract::State, Form};
|
||||
use axum_client_ip::SecureClientIp;
|
||||
use axum_extra::TypedHeader;
|
||||
use headers::UserAgent;
|
||||
use lettre::SmtpTransport;
|
||||
use maud::html;
|
||||
|
@ -1,7 +1,5 @@
|
||||
use axum::{
|
||||
headers::{self, Header},
|
||||
http::{HeaderName, HeaderValue},
|
||||
};
|
||||
use axum::http::{HeaderName, HeaderValue};
|
||||
use axum_extra::headers::{self, Header};
|
||||
|
||||
/// Typed header implementation for the `Accept` header.
|
||||
#[derive(Debug, Clone, Copy, PartialEq, Eq)]
|
||||
|
67
src/main.rs
67
src/main.rs
@ -1,23 +1,26 @@
|
||||
use std::{collections::HashMap, net::SocketAddr, path::Path, sync::Arc};
|
||||
|
||||
use anyhow::Result;
|
||||
use async_fred_session::{RedisSessionStore, fred::{pool::RedisPool, types::RedisConfig}};
|
||||
use axum::{
|
||||
response::IntoResponse,
|
||||
error_handling::HandleErrorLayer,
|
||||
routing::{get, post},
|
||||
Extension, Router,
|
||||
BoxError, Router,
|
||||
};
|
||||
use axum_login::{
|
||||
axum_sessions::SessionLayer, AuthLayer, PostgresStore, RequireAuthorizationLayer,
|
||||
login_required,
|
||||
tower_sessions::{fred::prelude::*, Expiry, RedisStore, SessionManagerLayer},
|
||||
AuthManagerLayerBuilder,
|
||||
};
|
||||
use bytes::Bytes;
|
||||
use clap::Parser;
|
||||
use dotenvy::dotenv;
|
||||
use http::StatusCode;
|
||||
use lettre::transport::smtp::authentication::Credentials;
|
||||
use lettre::SmtpTransport;
|
||||
use notify::Watcher;
|
||||
use reqwest::Client;
|
||||
use sqlx::postgres::PgPoolOptions;
|
||||
use time::Duration;
|
||||
use tokio::sync::watch::channel;
|
||||
use tokio::sync::Mutex;
|
||||
use tower::ServiceBuilder;
|
||||
@ -25,32 +28,26 @@ use tower_http::{services::ServeDir, trace::TraceLayer};
|
||||
use tower_livereload::LiveReloadLayer;
|
||||
use tracing::debug;
|
||||
|
||||
use lib::actors::crawl_scheduler::CrawlSchedulerHandle;
|
||||
use lib::actors::importer::ImporterHandle;
|
||||
use lib::config::Config;
|
||||
use lib::domain_locks::DomainLocks;
|
||||
use lib::handlers;
|
||||
use lib::log::init_tracing;
|
||||
use lib::models::user::User;
|
||||
use lib::state::AppState;
|
||||
use lib::USER_AGENT;
|
||||
use uuid::Uuid;
|
||||
use lib::{actors::crawl_scheduler::CrawlSchedulerHandle, auth::Backend};
|
||||
|
||||
async fn serve(app: Router, addr: SocketAddr) -> Result<()> {
|
||||
debug!("listening on {}", addr);
|
||||
axum::Server::bind(&addr)
|
||||
.serve(app.into_make_service_with_connect_info::<SocketAddr>())
|
||||
let listener = tokio::net::TcpListener::bind(addr).await?;
|
||||
axum::serve(
|
||||
listener,
|
||||
app.into_make_service_with_connect_info::<SocketAddr>(),
|
||||
)
|
||||
.await?;
|
||||
Ok(())
|
||||
}
|
||||
|
||||
async fn protected_handler(Extension(user): Extension<User>) -> impl IntoResponse {
|
||||
format!(
|
||||
"Logged in as: {}",
|
||||
user.name.unwrap_or_else(|| "No name".to_string())
|
||||
)
|
||||
}
|
||||
|
||||
#[tokio::main]
|
||||
async fn main() -> Result<()> {
|
||||
dotenv().ok();
|
||||
@ -65,7 +62,8 @@ async fn main() -> Result<()> {
|
||||
let domain_locks = DomainLocks::new();
|
||||
let client = Client::builder().user_agent(USER_AGENT).build()?;
|
||||
|
||||
let secret = config.session_secret.as_bytes();
|
||||
// TODO: not needed anymore?
|
||||
// let secret = config.session_secret.as_bytes();
|
||||
|
||||
let pool = PgPoolOptions::new()
|
||||
.max_connections(config.database_max_connections)
|
||||
@ -73,15 +71,27 @@ async fn main() -> Result<()> {
|
||||
.await?;
|
||||
|
||||
let redis_config = RedisConfig::from_url(&config.redis_url)?;
|
||||
let redis_pool = RedisPool::new(redis_config, None, None, config.redis_pool_size)?;
|
||||
redis_pool.connect();
|
||||
redis_pool.wait_for_connect().await?;
|
||||
// TODO: https://github.com/maxcountryman/tower-sessions/issues/92
|
||||
// let redis_pool = RedisPool::new(redis_config, None, None, config.redis_pool_size)?;
|
||||
// redis_pool.connect();
|
||||
// redis_pool.wait_for_connect().await?;
|
||||
let redis_client = RedisClient::new(redis_config, None, None, None);
|
||||
redis_client.connect();
|
||||
redis_client.wait_for_connect().await?;
|
||||
|
||||
let session_store = RedisSessionStore::from_pool(redis_pool, Some("async-fred-session/".into()));
|
||||
let session_layer = SessionLayer::new(session_store, secret).with_secure(false);
|
||||
let user_store = PostgresStore::<User>::new(pool.clone())
|
||||
.with_query("select * from users where user_id = $1");
|
||||
let auth_layer = AuthLayer::new(user_store, secret);
|
||||
let session_store = RedisStore::new(redis_client);
|
||||
let session_layer = SessionManagerLayer::new(session_store)
|
||||
.with_secure(!cfg!(debug_assertions))
|
||||
.with_expiry(Expiry::OnInactivity(Duration::days(
|
||||
config.session_duration_days,
|
||||
)));
|
||||
|
||||
let backend = Backend::new(pool.clone());
|
||||
let auth_service = ServiceBuilder::new()
|
||||
.layer(HandleErrorLayer::new(|_: BoxError| async {
|
||||
StatusCode::BAD_REQUEST
|
||||
}))
|
||||
.layer(AuthManagerLayerBuilder::new(backend, session_layer).build());
|
||||
|
||||
let creds = Credentials::new(config.smtp_user.clone(), config.smtp_password.clone());
|
||||
|
||||
@ -107,8 +117,8 @@ async fn main() -> Result<()> {
|
||||
|
||||
let addr = format!("{}:{}", &config.host, &config.port).parse()?;
|
||||
let mut app = Router::new()
|
||||
.route("/protected", get(protected_handler))
|
||||
.route_layer(RequireAuthorizationLayer::<Uuid, User>::login())
|
||||
.route("/account", get(handlers::account::get))
|
||||
.route_layer(login_required!(Backend, login_url = "/login"))
|
||||
.route("/api/v1/feeds", get(handlers::api::feeds::get))
|
||||
.route("/api/v1/feed", post(handlers::api::feed::post))
|
||||
.route("/api/v1/feed/:id", get(handlers::api::feed::get))
|
||||
@ -152,8 +162,7 @@ async fn main() -> Result<()> {
|
||||
mailer,
|
||||
})
|
||||
.layer(ServiceBuilder::new().layer(TraceLayer::new_for_http()))
|
||||
.layer(auth_layer)
|
||||
.layer(session_layer)
|
||||
.layer(auth_service)
|
||||
.layer(ip_source_extension);
|
||||
|
||||
if cfg!(debug_assertions) {
|
||||
|
@ -1,11 +1,10 @@
|
||||
use axum_login::{secrecy::SecretVec, AuthUser, PostgresStore};
|
||||
use chrono::{DateTime, Utc};
|
||||
use serde::Deserialize;
|
||||
use sqlx::{Executor, FromRow, Postgres};
|
||||
use uuid::Uuid;
|
||||
use validator::Validate;
|
||||
|
||||
use crate::auth::hash_password;
|
||||
use crate::auth::generate_hash;
|
||||
use crate::error::{Error, Result};
|
||||
|
||||
#[derive(Debug, Default, Clone, FromRow)]
|
||||
@ -44,16 +43,6 @@ pub struct UpdateUserPassword {
|
||||
pub password: String,
|
||||
}
|
||||
|
||||
impl AuthUser<Uuid> for User {
|
||||
fn get_id(&self) -> Uuid {
|
||||
self.user_id
|
||||
}
|
||||
|
||||
fn get_password_hash(&self) -> SecretVec<u8> {
|
||||
SecretVec::new(self.password_hash.clone().into())
|
||||
}
|
||||
}
|
||||
|
||||
impl User {
|
||||
pub async fn get(db: impl Executor<'_, Database = Postgres>, user_id: Uuid) -> Result<User> {
|
||||
sqlx::query_as!(
|
||||
@ -101,7 +90,7 @@ impl User {
|
||||
payload: CreateUser,
|
||||
) -> Result<User> {
|
||||
payload.validate()?;
|
||||
let password_hash = hash_password(payload.password).await?;
|
||||
let password_hash = generate_hash(payload.password).await?;
|
||||
|
||||
Ok(sqlx::query_as!(
|
||||
User,
|
||||
@ -156,7 +145,7 @@ impl User {
|
||||
payload: UpdateUserPassword,
|
||||
) -> Result<User> {
|
||||
payload.validate()?;
|
||||
let password_hash = hash_password(payload.password).await?;
|
||||
let password_hash = generate_hash(payload.password).await?;
|
||||
|
||||
Ok(sqlx::query_as!(
|
||||
User,
|
||||
@ -181,5 +170,3 @@ impl User {
|
||||
.await?)
|
||||
}
|
||||
}
|
||||
|
||||
pub type AuthContext = axum_login::extractors::AuthContext<Uuid, User, PostgresStore<User>>;
|
||||
|
@ -8,17 +8,17 @@ use axum::{
|
||||
extract::{FromRef, FromRequestParts, State},
|
||||
http::request::Parts,
|
||||
response::{IntoResponse, Response},
|
||||
TypedHeader,
|
||||
};
|
||||
use axum_extra::TypedHeader;
|
||||
use headers::HeaderValue;
|
||||
use maud::{html, Markup, DOCTYPE};
|
||||
|
||||
use crate::models::user::AuthContext;
|
||||
use crate::models::user::User;
|
||||
use crate::auth::AuthSession;
|
||||
use crate::config::Config;
|
||||
use crate::htmx::HXTarget;
|
||||
use crate::partials::header::header;
|
||||
use crate::models::user::User;
|
||||
use crate::partials::footer::footer;
|
||||
use crate::partials::header::header;
|
||||
#[cfg(not(debug_assertions))]
|
||||
use crate::{CSS_MANIFEST, JS_MANIFEST};
|
||||
|
||||
@ -42,13 +42,12 @@ where
|
||||
let State(config) = State::<Config>::from_request_parts(parts, state)
|
||||
.await
|
||||
.map_err(|err| err.into_response())?;
|
||||
let auth_context =
|
||||
AuthContext::from_request_parts(parts, state)
|
||||
let auth_session = AuthSession::from_request_parts(parts, state)
|
||||
.await
|
||||
.map_err(|err| err.into_response())?;
|
||||
Ok(Self {
|
||||
title: config.title,
|
||||
user: auth_context.current_user,
|
||||
user: auth_session.user,
|
||||
..Default::default()
|
||||
})
|
||||
}
|
||||
|
Loading…
Reference in New Issue
Block a user