2025-06-29 23:41:20 -04:00
|
|
|
use crate::{datasources::projects::ProjectsDatasource, state::AppState, utils::datetime::*};
|
|
|
|
use axum::{extract::State, http::StatusCode, response::IntoResponse, routing::get, Json, Router};
|
2025-07-14 20:26:17 -04:00
|
|
|
use cache::Expiration;
|
2025-06-29 23:41:20 -04:00
|
|
|
use serde::{Deserialize, Serialize};
|
|
|
|
|
|
|
|
#[derive(sqlx::FromRow, Deserialize, Serialize, Debug, Clone)]
|
|
|
|
pub struct Project {
|
|
|
|
pub project_id: i32,
|
|
|
|
pub title: String,
|
|
|
|
pub repo: Option<String>,
|
|
|
|
pub summary: String,
|
|
|
|
pub tech: String,
|
|
|
|
pub wip: Option<bool>,
|
|
|
|
#[serde(serialize_with = "serialize_datetime")]
|
|
|
|
#[serde(deserialize_with = "deserialize_datetime")]
|
|
|
|
pub created_at: Option<chrono::DateTime<chrono::Utc>>,
|
|
|
|
}
|
|
|
|
|
|
|
|
pub struct ProjectsRoute;
|
|
|
|
impl ProjectsRoute {
|
|
|
|
pub fn routes(app_state: &AppState) -> Router {
|
|
|
|
Router::new()
|
|
|
|
.route("/", get(ProjectsRoute::get_all))
|
|
|
|
.with_state(app_state.clone())
|
|
|
|
}
|
|
|
|
|
|
|
|
async fn get_all(State(app_state): State<AppState>) -> impl IntoResponse {
|
|
|
|
let mut state = app_state.lock().await;
|
|
|
|
let cached: Option<Vec<Project>> = state
|
|
|
|
.cache
|
|
|
|
.get(String::from("projects:all"))
|
|
|
|
.await
|
|
|
|
.unwrap_or(None);
|
|
|
|
|
|
|
|
if let Some(projects) = cached {
|
|
|
|
tracing::info!("grabbing all projects from cache");
|
|
|
|
return Ok(Json(projects));
|
|
|
|
};
|
|
|
|
|
|
|
|
match ProjectsDatasource::get_all(&state.database).await {
|
|
|
|
Ok(projects) => {
|
|
|
|
tracing::info!("grabbing all projects from database");
|
|
|
|
if let p = &projects {
|
|
|
|
let projects = p.clone();
|
|
|
|
let state = app_state.clone();
|
|
|
|
|
|
|
|
tracing::info!("storing database data in cache");
|
|
|
|
tokio::spawn(async move {
|
|
|
|
let mut s = state.lock().await;
|
|
|
|
let _ = s
|
|
|
|
.cache
|
|
|
|
.set(
|
|
|
|
String::from("projects:all"),
|
|
|
|
&projects,
|
|
|
|
Some(Expiration::EX(10)),
|
|
|
|
None,
|
|
|
|
false,
|
|
|
|
)
|
|
|
|
.await;
|
|
|
|
});
|
|
|
|
};
|
|
|
|
|
|
|
|
Ok(Json(projects))
|
|
|
|
}
|
|
|
|
Err(e) => Err((StatusCode::INTERNAL_SERVER_ERROR, e.to_string())),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|