refactor
This commit is contained in:
12
backend/src/auth.rs
Normal file
12
backend/src/auth.rs
Normal file
@@ -0,0 +1,12 @@
|
|||||||
|
use axum::http::HeaderMap;
|
||||||
|
use tracing::warn;
|
||||||
|
use crate::error::AppError;
|
||||||
|
|
||||||
|
pub fn check_auth(headers: &HeaderMap, admin_token: &str) -> Result<(), AppError> {
|
||||||
|
let auth_header = headers.get("Authorization").and_then(|h| h.to_str().ok());
|
||||||
|
if auth_header != Some(&format!("Bearer {}", admin_token)) {
|
||||||
|
warn!("Unauthorized access attempt detected");
|
||||||
|
return Err(AppError::Unauthorized);
|
||||||
|
}
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
41
backend/src/error.rs
Normal file
41
backend/src/error.rs
Normal file
@@ -0,0 +1,41 @@
|
|||||||
|
use axum::{
|
||||||
|
http::StatusCode,
|
||||||
|
response::{IntoResponse, Response},
|
||||||
|
Json,
|
||||||
|
};
|
||||||
|
|
||||||
|
use crate::models::ErrorResponse;
|
||||||
|
|
||||||
|
pub enum AppError {
|
||||||
|
Unauthorized,
|
||||||
|
NotFound(String),
|
||||||
|
BadRequest(String),
|
||||||
|
Internal(String, Option<String>),
|
||||||
|
}
|
||||||
|
|
||||||
|
impl IntoResponse for AppError {
|
||||||
|
fn into_response(self) -> Response {
|
||||||
|
let (status, error_message, details) = match self {
|
||||||
|
AppError::Unauthorized => (StatusCode::UNAUTHORIZED, "Unauthorized".to_string(), None),
|
||||||
|
AppError::NotFound(msg) => (StatusCode::NOT_FOUND, msg, None),
|
||||||
|
AppError::BadRequest(msg) => (StatusCode::BAD_REQUEST, msg, None),
|
||||||
|
AppError::Internal(msg, details) => (StatusCode::INTERNAL_SERVER_ERROR, msg, details),
|
||||||
|
};
|
||||||
|
|
||||||
|
let body = Json(ErrorResponse {
|
||||||
|
error: error_message,
|
||||||
|
details,
|
||||||
|
});
|
||||||
|
|
||||||
|
(status, body).into_response()
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<E> From<E> for AppError
|
||||||
|
where
|
||||||
|
E: std::error::Error + Send + Sync + 'static,
|
||||||
|
{
|
||||||
|
fn from(err: E) -> Self {
|
||||||
|
AppError::Internal("Internal Server Error".to_string(), Some(err.to_string()))
|
||||||
|
}
|
||||||
|
}
|
||||||
46
backend/src/handlers/config.rs
Normal file
46
backend/src/handlers/config.rs
Normal file
@@ -0,0 +1,46 @@
|
|||||||
|
use axum::{
|
||||||
|
extract::State,
|
||||||
|
http::HeaderMap,
|
||||||
|
response::IntoResponse,
|
||||||
|
Json,
|
||||||
|
};
|
||||||
|
use std::{fs, sync::Arc};
|
||||||
|
use tracing::error;
|
||||||
|
|
||||||
|
use crate::{
|
||||||
|
auth::check_auth,
|
||||||
|
error::AppError,
|
||||||
|
models::SiteConfig,
|
||||||
|
AppState,
|
||||||
|
};
|
||||||
|
|
||||||
|
pub async fn get_config(State(state): State<Arc<AppState>>) -> impl IntoResponse {
|
||||||
|
let config_path = state.data_dir.join("config.json");
|
||||||
|
let config = fs::read_to_string(&config_path)
|
||||||
|
.ok()
|
||||||
|
.and_then(|c| serde_json::from_str::<SiteConfig>(&c).ok())
|
||||||
|
.unwrap_or_default();
|
||||||
|
|
||||||
|
Json(config)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn update_config(
|
||||||
|
State(state): State<Arc<AppState>>,
|
||||||
|
headers: HeaderMap,
|
||||||
|
Json(payload): Json<SiteConfig>,
|
||||||
|
) -> Result<Json<SiteConfig>, AppError> {
|
||||||
|
check_auth(&headers, &state.admin_token)?;
|
||||||
|
|
||||||
|
let config_path = state.data_dir.join("config.json");
|
||||||
|
let config_str = serde_json::to_string_pretty(&payload).map_err(|e| {
|
||||||
|
error!("Serialization error: {}", e);
|
||||||
|
AppError::Internal("Serialization error".to_string(), Some(e.to_string()))
|
||||||
|
})?;
|
||||||
|
|
||||||
|
fs::write(&config_path, config_str).map_err(|e| {
|
||||||
|
error!("Write error for config: {}", e);
|
||||||
|
AppError::Internal("Write error".to_string(), Some(e.to_string()))
|
||||||
|
})?;
|
||||||
|
|
||||||
|
Ok(Json(payload))
|
||||||
|
}
|
||||||
3
backend/src/handlers/mod.rs
Normal file
3
backend/src/handlers/mod.rs
Normal file
@@ -0,0 +1,3 @@
|
|||||||
|
pub mod config;
|
||||||
|
pub mod posts;
|
||||||
|
pub mod upload;
|
||||||
105
backend/src/handlers/posts.rs
Normal file
105
backend/src/handlers/posts.rs
Normal file
@@ -0,0 +1,105 @@
|
|||||||
|
use axum::{
|
||||||
|
extract::{Path, State},
|
||||||
|
http::{HeaderMap, StatusCode},
|
||||||
|
response::IntoResponse,
|
||||||
|
Json,
|
||||||
|
};
|
||||||
|
use std::{fs, sync::Arc};
|
||||||
|
use tracing::{error, info, warn};
|
||||||
|
|
||||||
|
use crate::{
|
||||||
|
auth::check_auth,
|
||||||
|
error::AppError,
|
||||||
|
models::{CreatePostRequest, PostDetail, PostInfo},
|
||||||
|
AppState,
|
||||||
|
};
|
||||||
|
|
||||||
|
pub async fn create_post(
|
||||||
|
State(state): State<Arc<AppState>>,
|
||||||
|
headers: HeaderMap,
|
||||||
|
Json(payload): Json<CreatePostRequest>,
|
||||||
|
) -> Result<Json<PostDetail>, AppError> {
|
||||||
|
check_auth(&headers, &state.admin_token)?;
|
||||||
|
|
||||||
|
if payload.slug.contains('/') || payload.slug.contains('\\') || payload.slug.contains("..") {
|
||||||
|
return Err(AppError::BadRequest("Invalid slug".to_string()));
|
||||||
|
}
|
||||||
|
|
||||||
|
let file_path = state.data_dir.join("posts").join(format!("{}.md", payload.slug));
|
||||||
|
|
||||||
|
fs::write(&file_path, &payload.content).map_err(|e| {
|
||||||
|
error!("Write error for post {}: {}", payload.slug, e);
|
||||||
|
AppError::Internal("Write error".to_string(), Some(e.to_string()))
|
||||||
|
})?;
|
||||||
|
|
||||||
|
info!("Post created/updated: {}", payload.slug);
|
||||||
|
Ok(Json(PostDetail {
|
||||||
|
slug: payload.slug,
|
||||||
|
content: payload.content,
|
||||||
|
}))
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn delete_post(
|
||||||
|
State(state): State<Arc<AppState>>,
|
||||||
|
headers: HeaderMap,
|
||||||
|
Path(slug): Path<String>,
|
||||||
|
) -> Result<StatusCode, AppError> {
|
||||||
|
check_auth(&headers, &state.admin_token)?;
|
||||||
|
|
||||||
|
let file_path = state.data_dir.join("posts").join(format!("{}.md", slug));
|
||||||
|
info!("Attempting to delete post at: {:?}", file_path);
|
||||||
|
|
||||||
|
if !file_path.exists() {
|
||||||
|
warn!("Post not found for deletion: {}", slug);
|
||||||
|
return Err(AppError::NotFound("Post not found".to_string()));
|
||||||
|
}
|
||||||
|
|
||||||
|
fs::remove_file(file_path).map_err(|e| {
|
||||||
|
error!("Delete error for post {}: {}", slug, e);
|
||||||
|
AppError::Internal("Delete error".to_string(), Some(e.to_string()))
|
||||||
|
})?;
|
||||||
|
|
||||||
|
info!("Post deleted: {}", slug);
|
||||||
|
Ok(StatusCode::NO_CONTENT)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn list_posts(State(state): State<Arc<AppState>>) -> impl IntoResponse {
|
||||||
|
let posts_dir = state.data_dir.join("posts");
|
||||||
|
let mut posts = Vec::new();
|
||||||
|
|
||||||
|
if let Ok(entries) = fs::read_dir(posts_dir) {
|
||||||
|
for entry in entries.flatten() {
|
||||||
|
let path = entry.path();
|
||||||
|
if path.extension().and_then(|e| e.to_str()) == Some("md") {
|
||||||
|
if let Some(slug) = path.file_stem().and_then(|s| s.to_str()) {
|
||||||
|
let mut excerpt = String::new();
|
||||||
|
if let Ok(content) = fs::read_to_string(&path) {
|
||||||
|
let clean_content = content.replace("#", "").replace("\n", " ");
|
||||||
|
excerpt = clean_content.chars().take(200).collect::<String>();
|
||||||
|
if clean_content.len() > 200 {
|
||||||
|
excerpt.push_str("...");
|
||||||
|
}
|
||||||
|
}
|
||||||
|
posts.push(PostInfo {
|
||||||
|
slug: slug.to_string(),
|
||||||
|
excerpt: excerpt.trim().to_string(),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Json(posts)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn get_post(
|
||||||
|
State(state): State<Arc<AppState>>,
|
||||||
|
Path(slug): Path<String>,
|
||||||
|
) -> Result<Json<PostDetail>, AppError> {
|
||||||
|
let file_path = state.data_dir.join("posts").join(format!("{}.md", slug));
|
||||||
|
|
||||||
|
match fs::read_to_string(&file_path) {
|
||||||
|
Ok(content) => Ok(Json(PostDetail { slug, content })),
|
||||||
|
Err(_) => Err(AppError::NotFound("Post not found".to_string())),
|
||||||
|
}
|
||||||
|
}
|
||||||
105
backend/src/handlers/upload.rs
Normal file
105
backend/src/handlers/upload.rs
Normal file
@@ -0,0 +1,105 @@
|
|||||||
|
use axum::{
|
||||||
|
extract::{Multipart, State},
|
||||||
|
http::HeaderMap,
|
||||||
|
response::IntoResponse,
|
||||||
|
Json,
|
||||||
|
};
|
||||||
|
use std::{fs, sync::Arc};
|
||||||
|
use tracing::{error, info, warn};
|
||||||
|
|
||||||
|
use crate::{
|
||||||
|
auth::check_auth,
|
||||||
|
error::AppError,
|
||||||
|
models::{FileInfo, UploadResponse},
|
||||||
|
AppState,
|
||||||
|
};
|
||||||
|
|
||||||
|
pub async fn list_uploads(
|
||||||
|
State(state): State<Arc<AppState>>,
|
||||||
|
headers: HeaderMap,
|
||||||
|
) -> Result<Json<Vec<FileInfo>>, AppError> {
|
||||||
|
check_auth(&headers, &state.admin_token)?;
|
||||||
|
|
||||||
|
let uploads_dir = state.data_dir.join("uploads");
|
||||||
|
let mut files = Vec::new();
|
||||||
|
|
||||||
|
if let Ok(entries) = fs::read_dir(uploads_dir) {
|
||||||
|
for entry in entries.flatten() {
|
||||||
|
let path = entry.path();
|
||||||
|
if path.is_file() {
|
||||||
|
if let Some(name) = path.file_name().and_then(|n| n.to_str()) {
|
||||||
|
files.push(FileInfo {
|
||||||
|
name: name.to_string(),
|
||||||
|
url: format!("/uploads/{}", name),
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
Ok(Json(files))
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn upload_file(
|
||||||
|
State(state): State<Arc<AppState>>,
|
||||||
|
headers: HeaderMap,
|
||||||
|
mut multipart: Multipart,
|
||||||
|
) -> Result<Json<UploadResponse>, AppError> {
|
||||||
|
check_auth(&headers, &state.admin_token)?;
|
||||||
|
|
||||||
|
info!("Upload requested");
|
||||||
|
|
||||||
|
while let Ok(Some(field)) = multipart.next_field().await {
|
||||||
|
let file_name = match field.file_name() {
|
||||||
|
Some(name) => name.to_string(),
|
||||||
|
None => continue,
|
||||||
|
};
|
||||||
|
|
||||||
|
info!("Processing upload for: {}", file_name);
|
||||||
|
let slugified_name = slug::slugify(&file_name);
|
||||||
|
|
||||||
|
let extension = std::path::Path::new(&file_name)
|
||||||
|
.extension()
|
||||||
|
.and_then(|e| e.to_str())
|
||||||
|
.unwrap_or("");
|
||||||
|
|
||||||
|
let final_name = if !extension.is_empty() {
|
||||||
|
format!("{}.{}", slugified_name, extension)
|
||||||
|
} else {
|
||||||
|
slugified_name
|
||||||
|
};
|
||||||
|
|
||||||
|
let uploads_dir = state.data_dir.join("uploads");
|
||||||
|
let file_path = uploads_dir.join(&final_name);
|
||||||
|
|
||||||
|
let final_path = if file_path.exists() {
|
||||||
|
let timestamp = chrono::Utc::now().timestamp();
|
||||||
|
uploads_dir.join(format!("{}_{}", timestamp, final_name))
|
||||||
|
} else {
|
||||||
|
file_path
|
||||||
|
};
|
||||||
|
|
||||||
|
let final_name_str = final_path.file_name().unwrap().to_str().unwrap().to_string();
|
||||||
|
|
||||||
|
let data = match field.bytes().await {
|
||||||
|
Ok(bytes) => bytes,
|
||||||
|
Err(e) => {
|
||||||
|
error!("Failed to read multipart bytes: {}", e);
|
||||||
|
return Err(AppError::BadRequest(format!("Read error: {}", e)));
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
if let Err(e) = fs::write(&final_path, &data) {
|
||||||
|
error!("Failed to write file to {:?}: {}", final_path, e);
|
||||||
|
return Err(AppError::Internal("Write error".to_string(), Some(e.to_string())));
|
||||||
|
}
|
||||||
|
|
||||||
|
info!("File uploaded successfully to {:?}", final_path);
|
||||||
|
return Ok(Json(UploadResponse {
|
||||||
|
url: format!("/uploads/{}", final_name_str),
|
||||||
|
}));
|
||||||
|
}
|
||||||
|
|
||||||
|
warn!("Upload failed: no file found in multipart stream");
|
||||||
|
Err(AppError::BadRequest("No file found".to_string()))
|
||||||
|
}
|
||||||
@@ -1,84 +1,24 @@
|
|||||||
|
pub mod auth;
|
||||||
|
pub mod error;
|
||||||
|
pub mod handlers;
|
||||||
|
pub mod models;
|
||||||
|
|
||||||
use axum::{
|
use axum::{
|
||||||
Router,
|
extract::DefaultBodyLimit,
|
||||||
extract::{DefaultBodyLimit, Multipart, Path, State},
|
|
||||||
http::{HeaderMap, StatusCode},
|
|
||||||
response::{IntoResponse, Json},
|
|
||||||
routing::{delete, get, post},
|
routing::{delete, get, post},
|
||||||
|
Router,
|
||||||
};
|
};
|
||||||
use serde::{Deserialize, Serialize};
|
|
||||||
use std::{env, fs, path::PathBuf, sync::Arc};
|
use std::{env, fs, path::PathBuf, sync::Arc};
|
||||||
use tower_http::{
|
use tower_http::{
|
||||||
cors::{Any, CorsLayer},
|
cors::{Any, CorsLayer},
|
||||||
services::ServeDir,
|
services::ServeDir,
|
||||||
};
|
};
|
||||||
use tracing::{error, info, warn};
|
use tracing::{error, info};
|
||||||
|
|
||||||
#[derive(Clone)]
|
#[derive(Clone)]
|
||||||
struct AppState {
|
pub struct AppState {
|
||||||
admin_token: String,
|
pub admin_token: String,
|
||||||
data_dir: PathBuf,
|
pub data_dir: PathBuf,
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Serialize, Deserialize, Clone)]
|
|
||||||
struct SiteConfig {
|
|
||||||
title: String,
|
|
||||||
subtitle: String,
|
|
||||||
welcome_title: String,
|
|
||||||
welcome_subtitle: String,
|
|
||||||
footer: String,
|
|
||||||
favicon: String,
|
|
||||||
theme: String,
|
|
||||||
custom_css: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
impl Default for SiteConfig {
|
|
||||||
fn default() -> Self {
|
|
||||||
Self {
|
|
||||||
title: "Narlblog".to_string(),
|
|
||||||
subtitle: "A clean, modern blog".to_string(),
|
|
||||||
welcome_title: "Welcome to my blog".to_string(),
|
|
||||||
welcome_subtitle: "Thoughts on software, design, and building things with Rust and Astro.".to_string(),
|
|
||||||
footer: "Built with Rust & Astro".to_string(),
|
|
||||||
favicon: "/favicon.svg".to_string(),
|
|
||||||
theme: "mocha".to_string(),
|
|
||||||
custom_css: "".to_string(),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Serialize)]
|
|
||||||
struct PostInfo {
|
|
||||||
slug: String,
|
|
||||||
excerpt: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Serialize)]
|
|
||||||
struct PostDetail {
|
|
||||||
slug: String,
|
|
||||||
content: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Deserialize)]
|
|
||||||
struct CreatePostRequest {
|
|
||||||
slug: String,
|
|
||||||
content: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Serialize)]
|
|
||||||
struct ErrorResponse {
|
|
||||||
error: String,
|
|
||||||
details: Option<String>,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Serialize)]
|
|
||||||
struct UploadResponse {
|
|
||||||
url: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Serialize)]
|
|
||||||
struct FileInfo {
|
|
||||||
name: String,
|
|
||||||
url: String,
|
|
||||||
}
|
}
|
||||||
|
|
||||||
#[tokio::main]
|
#[tokio::main]
|
||||||
@@ -114,11 +54,11 @@ async fn main() {
|
|||||||
.allow_headers(Any);
|
.allow_headers(Any);
|
||||||
|
|
||||||
let app = Router::new()
|
let app = Router::new()
|
||||||
.route("/api/config", get(get_config).post(update_config))
|
.route("/api/config", get(handlers::config::get_config).post(handlers::config::update_config))
|
||||||
.route("/api/posts", get(list_posts).post(create_post))
|
.route("/api/posts", get(handlers::posts::list_posts).post(handlers::posts::create_post))
|
||||||
.route("/api/posts/{slug}", get(get_post).delete(delete_post))
|
.route("/api/posts/{slug}", get(handlers::posts::get_post).delete(handlers::posts::delete_post))
|
||||||
.route("/api/uploads", get(list_uploads))
|
.route("/api/uploads", get(handlers::upload::list_uploads))
|
||||||
.route("/api/upload", post(upload_file))
|
.route("/api/upload", post(handlers::upload::upload_file))
|
||||||
.nest_service("/uploads", ServeDir::new(uploads_dir))
|
.nest_service("/uploads", ServeDir::new(uploads_dir))
|
||||||
.layer(DefaultBodyLimit::max(50 * 1024 * 1024))
|
.layer(DefaultBodyLimit::max(50 * 1024 * 1024))
|
||||||
.layer(cors)
|
.layer(cors)
|
||||||
@@ -129,302 +69,3 @@ async fn main() {
|
|||||||
let listener = tokio::net::TcpListener::bind(&addr).await.unwrap();
|
let listener = tokio::net::TcpListener::bind(&addr).await.unwrap();
|
||||||
axum::serve(listener, app).await.unwrap();
|
axum::serve(listener, app).await.unwrap();
|
||||||
}
|
}
|
||||||
|
|
||||||
fn check_auth(
|
|
||||||
headers: &HeaderMap,
|
|
||||||
admin_token: &str,
|
|
||||||
) -> Result<(), (StatusCode, Json<ErrorResponse>)> {
|
|
||||||
let auth_header = headers.get("Authorization").and_then(|h| h.to_str().ok());
|
|
||||||
if auth_header != Some(&format!("Bearer {}", admin_token)) {
|
|
||||||
warn!("Unauthorized access attempt detected");
|
|
||||||
return Err((
|
|
||||||
StatusCode::UNAUTHORIZED,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Unauthorized".to_string(),
|
|
||||||
details: None,
|
|
||||||
}),
|
|
||||||
));
|
|
||||||
}
|
|
||||||
Ok(())
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn get_config(State(state): State<Arc<AppState>>) -> impl IntoResponse {
|
|
||||||
let config_path = state.data_dir.join("config.json");
|
|
||||||
let config = fs::read_to_string(&config_path)
|
|
||||||
.ok()
|
|
||||||
.and_then(|c| serde_json::from_str::<SiteConfig>(&c).ok())
|
|
||||||
.unwrap_or_default();
|
|
||||||
|
|
||||||
Json(config)
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn update_config(
|
|
||||||
State(state): State<Arc<AppState>>,
|
|
||||||
headers: HeaderMap,
|
|
||||||
Json(payload): Json<SiteConfig>,
|
|
||||||
) -> Result<Json<SiteConfig>, (StatusCode, Json<ErrorResponse>)> {
|
|
||||||
check_auth(&headers, &state.admin_token)?;
|
|
||||||
|
|
||||||
let config_path = state.data_dir.join("config.json");
|
|
||||||
let config_str = serde_json::to_string_pretty(&payload).map_err(|e| {
|
|
||||||
error!("Serialization error: {}", e);
|
|
||||||
(
|
|
||||||
StatusCode::INTERNAL_SERVER_ERROR,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Serialization error".to_string(),
|
|
||||||
details: Some(e.to_string()),
|
|
||||||
}),
|
|
||||||
)
|
|
||||||
})?;
|
|
||||||
|
|
||||||
fs::write(&config_path, config_str).map_err(|e| {
|
|
||||||
error!("Write error for config: {}", e);
|
|
||||||
(
|
|
||||||
StatusCode::INTERNAL_SERVER_ERROR,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Write error".to_string(),
|
|
||||||
details: Some(e.to_string()),
|
|
||||||
}),
|
|
||||||
)
|
|
||||||
})?;
|
|
||||||
|
|
||||||
Ok(Json(payload))
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn create_post(
|
|
||||||
State(state): State<Arc<AppState>>,
|
|
||||||
headers: HeaderMap,
|
|
||||||
Json(payload): Json<CreatePostRequest>,
|
|
||||||
) -> Result<Json<PostDetail>, (StatusCode, Json<ErrorResponse>)> {
|
|
||||||
check_auth(&headers, &state.admin_token)?;
|
|
||||||
|
|
||||||
if payload.slug.contains('/') || payload.slug.contains('\\') || payload.slug.contains("..") {
|
|
||||||
return Err((
|
|
||||||
StatusCode::BAD_REQUEST,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Invalid slug".to_string(),
|
|
||||||
details: None,
|
|
||||||
}),
|
|
||||||
));
|
|
||||||
}
|
|
||||||
|
|
||||||
let file_path = state
|
|
||||||
.data_dir
|
|
||||||
.join("posts")
|
|
||||||
.join(format!("{}.md", payload.slug));
|
|
||||||
|
|
||||||
fs::write(&file_path, &payload.content).map_err(|e| {
|
|
||||||
error!("Write error for post {}: {}", payload.slug, e);
|
|
||||||
(
|
|
||||||
StatusCode::INTERNAL_SERVER_ERROR,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Write error".to_string(),
|
|
||||||
details: Some(e.to_string()),
|
|
||||||
}),
|
|
||||||
)
|
|
||||||
})?;
|
|
||||||
|
|
||||||
info!("Post created/updated: {}", payload.slug);
|
|
||||||
Ok(Json(PostDetail {
|
|
||||||
slug: payload.slug,
|
|
||||||
content: payload.content,
|
|
||||||
}))
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn delete_post(
|
|
||||||
State(state): State<Arc<AppState>>,
|
|
||||||
headers: HeaderMap,
|
|
||||||
Path(slug): Path<String>,
|
|
||||||
) -> Result<StatusCode, (StatusCode, Json<ErrorResponse>)> {
|
|
||||||
check_auth(&headers, &state.admin_token)?;
|
|
||||||
|
|
||||||
let file_path = state.data_dir.join("posts").join(format!("{}.md", slug));
|
|
||||||
info!("Attempting to delete post at: {:?}", file_path);
|
|
||||||
|
|
||||||
if !file_path.exists() {
|
|
||||||
warn!("Post not found for deletion: {}", slug);
|
|
||||||
return Err((
|
|
||||||
StatusCode::NOT_FOUND,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Post not found".to_string(),
|
|
||||||
details: None,
|
|
||||||
}),
|
|
||||||
));
|
|
||||||
}
|
|
||||||
|
|
||||||
fs::remove_file(file_path).map_err(|e| {
|
|
||||||
error!("Delete error for post {}: {}", slug, e);
|
|
||||||
(
|
|
||||||
StatusCode::INTERNAL_SERVER_ERROR,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Delete error".to_string(),
|
|
||||||
details: Some(e.to_string()),
|
|
||||||
}),
|
|
||||||
)
|
|
||||||
})?;
|
|
||||||
|
|
||||||
info!("Post deleted: {}", slug);
|
|
||||||
Ok(StatusCode::NO_CONTENT)
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn list_uploads(
|
|
||||||
State(state): State<Arc<AppState>>,
|
|
||||||
headers: HeaderMap,
|
|
||||||
) -> Result<Json<Vec<FileInfo>>, (StatusCode, Json<ErrorResponse>)> {
|
|
||||||
check_auth(&headers, &state.admin_token)?;
|
|
||||||
|
|
||||||
let uploads_dir = state.data_dir.join("uploads");
|
|
||||||
let mut files = Vec::new();
|
|
||||||
|
|
||||||
if let Ok(entries) = fs::read_dir(uploads_dir) {
|
|
||||||
for entry in entries.flatten() {
|
|
||||||
let path = entry.path();
|
|
||||||
if path.is_file() {
|
|
||||||
if let Some(name) = path.file_name().and_then(|n| n.to_str()) {
|
|
||||||
files.push(FileInfo {
|
|
||||||
name: name.to_string(),
|
|
||||||
url: format!("/uploads/{}", name),
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
Ok(Json(files))
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn list_posts(State(state): State<Arc<AppState>>) -> impl IntoResponse {
|
|
||||||
let posts_dir = state.data_dir.join("posts");
|
|
||||||
let mut posts = Vec::new();
|
|
||||||
|
|
||||||
if let Ok(entries) = fs::read_dir(posts_dir) {
|
|
||||||
for entry in entries.flatten() {
|
|
||||||
let path = entry.path();
|
|
||||||
if path.extension().and_then(|e| e.to_str()) == Some("md") {
|
|
||||||
if let Some(slug) = path.file_stem().and_then(|s| s.to_str()) {
|
|
||||||
let mut excerpt = String::new();
|
|
||||||
if let Ok(content) = fs::read_to_string(&path) {
|
|
||||||
// Strip basic markdown hashes and get first ~200 chars
|
|
||||||
let clean_content = content.replace("#", "").replace("\n", " ");
|
|
||||||
excerpt = clean_content.chars().take(200).collect::<String>();
|
|
||||||
if clean_content.len() > 200 {
|
|
||||||
excerpt.push_str("...");
|
|
||||||
}
|
|
||||||
}
|
|
||||||
posts.push(PostInfo {
|
|
||||||
slug: slug.to_string(),
|
|
||||||
excerpt: excerpt.trim().to_string(),
|
|
||||||
});
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
Json(posts)
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn get_post(
|
|
||||||
State(state): State<Arc<AppState>>,
|
|
||||||
Path(slug): Path<String>,
|
|
||||||
) -> Result<Json<PostDetail>, (StatusCode, Json<ErrorResponse>)> {
|
|
||||||
let file_path = state.data_dir.join("posts").join(format!("{}.md", slug));
|
|
||||||
|
|
||||||
match fs::read_to_string(&file_path) {
|
|
||||||
Ok(content) => Ok(Json(PostDetail { slug, content })),
|
|
||||||
Err(_) => Err((
|
|
||||||
StatusCode::NOT_FOUND,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Post not found".to_string(),
|
|
||||||
details: None,
|
|
||||||
}),
|
|
||||||
)),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
async fn upload_file(
|
|
||||||
State(state): State<Arc<AppState>>,
|
|
||||||
headers: HeaderMap,
|
|
||||||
mut multipart: Multipart,
|
|
||||||
) -> Result<Json<UploadResponse>, (StatusCode, Json<ErrorResponse>)> {
|
|
||||||
check_auth(&headers, &state.admin_token)?;
|
|
||||||
|
|
||||||
info!("Upload requested");
|
|
||||||
|
|
||||||
while let Ok(Some(field)) = multipart.next_field().await {
|
|
||||||
let file_name = match field.file_name() {
|
|
||||||
Some(name) => name.to_string(),
|
|
||||||
None => continue,
|
|
||||||
};
|
|
||||||
|
|
||||||
info!("Processing upload for: {}", file_name);
|
|
||||||
let slugified_name = slug::slugify(&file_name);
|
|
||||||
|
|
||||||
// Handle extension correctly after slugifying
|
|
||||||
let extension = std::path::Path::new(&file_name)
|
|
||||||
.extension()
|
|
||||||
.and_then(|e| e.to_str())
|
|
||||||
.unwrap_or("");
|
|
||||||
|
|
||||||
let final_name = if !extension.is_empty() {
|
|
||||||
format!("{}.{}", slugified_name, extension)
|
|
||||||
} else {
|
|
||||||
slugified_name
|
|
||||||
};
|
|
||||||
|
|
||||||
let uploads_dir = state.data_dir.join("uploads");
|
|
||||||
let file_path = uploads_dir.join(&final_name);
|
|
||||||
|
|
||||||
let final_path = if file_path.exists() {
|
|
||||||
let timestamp = chrono::Utc::now().timestamp();
|
|
||||||
uploads_dir.join(format!("{}_{}", timestamp, final_name))
|
|
||||||
} else {
|
|
||||||
file_path
|
|
||||||
};
|
|
||||||
|
|
||||||
let final_name_str = final_path
|
|
||||||
.file_name()
|
|
||||||
.unwrap()
|
|
||||||
.to_str()
|
|
||||||
.unwrap()
|
|
||||||
.to_string();
|
|
||||||
|
|
||||||
let data = match field.bytes().await {
|
|
||||||
Ok(bytes) => bytes,
|
|
||||||
Err(e) => {
|
|
||||||
error!("Failed to read multipart bytes: {}", e);
|
|
||||||
return Err((
|
|
||||||
StatusCode::BAD_REQUEST,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Read error".to_string(),
|
|
||||||
details: Some(e.to_string()),
|
|
||||||
}),
|
|
||||||
));
|
|
||||||
}
|
|
||||||
};
|
|
||||||
|
|
||||||
if let Err(e) = fs::write(&final_path, &data) {
|
|
||||||
error!("Failed to write file to {:?}: {}", final_path, e);
|
|
||||||
return Err((
|
|
||||||
StatusCode::INTERNAL_SERVER_ERROR,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "Write error".to_string(),
|
|
||||||
details: Some(e.to_string()),
|
|
||||||
}),
|
|
||||||
));
|
|
||||||
}
|
|
||||||
|
|
||||||
info!("File uploaded successfully to {:?}", final_path);
|
|
||||||
return Ok(Json(UploadResponse {
|
|
||||||
url: format!("/uploads/{}", final_name_str),
|
|
||||||
}));
|
|
||||||
}
|
|
||||||
|
|
||||||
warn!("Upload failed: no file found in multipart stream");
|
|
||||||
Err((
|
|
||||||
StatusCode::BAD_REQUEST,
|
|
||||||
Json(ErrorResponse {
|
|
||||||
error: "No file found".to_string(),
|
|
||||||
details: None,
|
|
||||||
}),
|
|
||||||
))
|
|
||||||
}
|
|
||||||
|
|||||||
64
backend/src/models.rs
Normal file
64
backend/src/models.rs
Normal file
@@ -0,0 +1,64 @@
|
|||||||
|
use serde::{Deserialize, Serialize};
|
||||||
|
|
||||||
|
#[derive(Serialize, Deserialize, Clone)]
|
||||||
|
pub struct SiteConfig {
|
||||||
|
pub title: String,
|
||||||
|
pub subtitle: String,
|
||||||
|
pub welcome_title: String,
|
||||||
|
pub welcome_subtitle: String,
|
||||||
|
pub footer: String,
|
||||||
|
pub favicon: String,
|
||||||
|
pub theme: String,
|
||||||
|
pub custom_css: String,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl Default for SiteConfig {
|
||||||
|
fn default() -> Self {
|
||||||
|
Self {
|
||||||
|
title: "Narlblog".to_string(),
|
||||||
|
subtitle: "A clean, modern blog".to_string(),
|
||||||
|
welcome_title: "Welcome to my blog".to_string(),
|
||||||
|
welcome_subtitle: "Thoughts on software, design, and building things with Rust and Astro.".to_string(),
|
||||||
|
footer: "Built with Rust & Astro".to_string(),
|
||||||
|
favicon: "/favicon.svg".to_string(),
|
||||||
|
theme: "mocha".to_string(),
|
||||||
|
custom_css: "".to_string(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct PostInfo {
|
||||||
|
pub slug: String,
|
||||||
|
pub excerpt: String,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct PostDetail {
|
||||||
|
pub slug: String,
|
||||||
|
pub content: String,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Deserialize)]
|
||||||
|
pub struct CreatePostRequest {
|
||||||
|
pub slug: String,
|
||||||
|
pub content: String,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct ErrorResponse {
|
||||||
|
pub error: String,
|
||||||
|
#[serde(skip_serializing_if = "Option::is_none")]
|
||||||
|
pub details: Option<String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct UploadResponse {
|
||||||
|
pub url: String,
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Serialize)]
|
||||||
|
pub struct FileInfo {
|
||||||
|
pub name: String,
|
||||||
|
pub url: String,
|
||||||
|
}
|
||||||
25
frontend/src/components/PostCard.astro
Normal file
25
frontend/src/components/PostCard.astro
Normal file
@@ -0,0 +1,25 @@
|
|||||||
|
---
|
||||||
|
interface Props {
|
||||||
|
slug: string;
|
||||||
|
excerpt?: string;
|
||||||
|
formatSlug: (slug: string) => string;
|
||||||
|
}
|
||||||
|
|
||||||
|
const { slug, excerpt, formatSlug } = Astro.props;
|
||||||
|
---
|
||||||
|
|
||||||
|
<a href={`/posts/${slug}`} class="group block">
|
||||||
|
<article class="glass p-5 md:p-8 transition-all hover:scale-[1.01] hover:bg-surface0/80 active:scale-[0.99] flex flex-col md:flex-row justify-between md:items-center gap-4 md:gap-6">
|
||||||
|
<div class="flex-1">
|
||||||
|
<h2 class="text-xl md:text-3xl font-bold text-lavender group-hover:text-mauve transition-colors mb-2 md:mb-3">
|
||||||
|
{formatSlug(slug)}
|
||||||
|
</h2>
|
||||||
|
<p class="text-text text-sm md:text-base leading-relaxed line-clamp-3">
|
||||||
|
{excerpt || `Read more about ${formatSlug(slug)}...`}
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
<div class="text-mauve opacity-0 group-hover:opacity-100 transition-opacity self-end md:self-auto shrink-0 hidden md:block">
|
||||||
|
<svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" class="md:w-8 md:h-8"><path d="M5 12h14"/><path d="m12 5 7 7-7 7"/></svg>
|
||||||
|
</div>
|
||||||
|
</article>
|
||||||
|
</a>
|
||||||
18
frontend/src/components/ui/Alert.ts
Normal file
18
frontend/src/components/ui/Alert.ts
Normal file
@@ -0,0 +1,18 @@
|
|||||||
|
export function showAlert(msg: string, type: 'success' | 'error', elementId: string = 'alert') {
|
||||||
|
const alertEl = document.getElementById(elementId);
|
||||||
|
if (alertEl) {
|
||||||
|
alertEl.textContent = msg;
|
||||||
|
alertEl.className = `p-4 rounded-lg mb-6 text-sm md:text-base ${
|
||||||
|
type === 'success'
|
||||||
|
? 'bg-green/20 text-green border border-green/30'
|
||||||
|
: 'bg-red/20 text-red border border-red/30'
|
||||||
|
}`;
|
||||||
|
alertEl.classList.remove('hidden');
|
||||||
|
|
||||||
|
window.scrollTo({ top: 0, behavior: 'smooth' });
|
||||||
|
|
||||||
|
setTimeout(() => {
|
||||||
|
alertEl.classList.add('hidden');
|
||||||
|
}, 5000);
|
||||||
|
}
|
||||||
|
}
|
||||||
45
frontend/src/layouts/AdminLayout.astro
Normal file
45
frontend/src/layouts/AdminLayout.astro
Normal file
@@ -0,0 +1,45 @@
|
|||||||
|
---
|
||||||
|
import Layout from './Layout.astro';
|
||||||
|
|
||||||
|
interface Props {
|
||||||
|
title: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
const { title } = Astro.props;
|
||||||
|
---
|
||||||
|
|
||||||
|
<Layout title={title}>
|
||||||
|
<div class="glass p-6 md:p-12 mb-12" id="admin-content" style="display: none;">
|
||||||
|
<header class="mb-8 md:mb-12 border-b border-white/5 pb-8 md:pb-12 flex flex-col md:flex-row justify-between items-start md:items-center gap-4">
|
||||||
|
<div>
|
||||||
|
<a href="/admin" class="text-blue hover:text-sky transition-colors mb-4 md:mb-8 inline-flex items-center gap-2 group text-sm md:text-base">
|
||||||
|
<svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" class="md:w-5 md:h-5 transition-transform group-hover:-translate-x-1"><path d="m15 18-6-6 6-6"/></svg>
|
||||||
|
Dashboard
|
||||||
|
</a>
|
||||||
|
<h1 class="text-3xl md:text-4xl font-extrabold text-mauve">
|
||||||
|
{title}
|
||||||
|
</h1>
|
||||||
|
<slot name="header-subtitle" />
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div class="flex gap-4 w-full md:w-auto">
|
||||||
|
<slot name="header-actions" />
|
||||||
|
</div>
|
||||||
|
</header>
|
||||||
|
|
||||||
|
<slot />
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<script>
|
||||||
|
const token = localStorage.getItem('admin_token');
|
||||||
|
if (!token) {
|
||||||
|
window.location.href = '/admin/login';
|
||||||
|
} else {
|
||||||
|
const content = document.getElementById('admin-content');
|
||||||
|
if (content) content.style.display = 'block';
|
||||||
|
|
||||||
|
// Dispatch custom event for child components to know token is ready
|
||||||
|
document.dispatchEvent(new CustomEvent('admin-auth-ready', { detail: { token } }));
|
||||||
|
}
|
||||||
|
</script>
|
||||||
|
</Layout>
|
||||||
@@ -1,39 +1,25 @@
|
|||||||
---
|
---
|
||||||
import Layout from '../../layouts/Layout.astro';
|
import AdminLayout from '../../layouts/AdminLayout.astro';
|
||||||
---
|
---
|
||||||
|
|
||||||
<Layout title="Post Editor">
|
<AdminLayout title="Write Post">
|
||||||
<!-- CodeMirror Assets -->
|
<!-- CodeMirror Assets -->
|
||||||
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/codemirror.min.css">
|
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/codemirror.min.css" slot="header-subtitle">
|
||||||
<link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/theme/catppuccin.min.css">
|
<script is:inline src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/codemirror.min.js" slot="header-subtitle"></script>
|
||||||
<script is:inline src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/codemirror.min.js"></script>
|
<script is:inline src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/mode/markdown/markdown.min.js" slot="header-subtitle"></script>
|
||||||
<script is:inline src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/mode/markdown/markdown.min.js"></script>
|
<script is:inline src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/keymap/vim.min.js" slot="header-subtitle"></script>
|
||||||
<script is:inline src="https://cdnjs.cloudflare.com/ajax/libs/codemirror/5.65.16/keymap/vim.min.js"></script>
|
|
||||||
|
|
||||||
<div class="glass p-12 mb-12" id="editor-content" style="display: none;">
|
<div slot="header-actions" class="flex gap-4 w-full">
|
||||||
<header class="mb-12 border-b border-white/5 pb-12 flex justify-between items-center">
|
<button id="delete-btn" class="hidden text-red hover:bg-red/10 px-6 py-3 rounded-lg transition-colors font-bold border border-red/20 w-full md:w-auto">
|
||||||
<div>
|
|
||||||
<a href="/admin" class="text-blue hover:text-sky transition-colors mb-8 inline-flex items-center gap-2 group">
|
|
||||||
<svg xmlns="http://www.w3.org/2000/svg" width="20" height="20" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" class="transition-transform group-hover:-translate-x-1"><path d="m15 18-6-6 6-6"/></svg>
|
|
||||||
Back to Dashboard
|
|
||||||
</a>
|
|
||||||
<h1 class="text-4xl font-extrabold text-mauve mt-4">
|
|
||||||
Write Post
|
|
||||||
</h1>
|
|
||||||
</div>
|
|
||||||
|
|
||||||
<div class="flex gap-4">
|
|
||||||
<button id="delete-btn" class="hidden text-red hover:bg-red/10 px-6 py-3 rounded-lg transition-colors font-bold border border-red/20">
|
|
||||||
Delete
|
Delete
|
||||||
</button>
|
</button>
|
||||||
<button
|
<button
|
||||||
id="save-btn"
|
id="save-btn"
|
||||||
class="bg-mauve text-crust font-bold py-3 px-8 rounded-lg hover:bg-pink transition-all transform hover:scale-105"
|
class="bg-mauve text-crust font-bold py-3 px-8 rounded-lg hover:bg-pink transition-all transform hover:scale-105 w-full md:w-auto whitespace-nowrap"
|
||||||
>
|
>
|
||||||
Save Post
|
Save Post
|
||||||
</button>
|
</button>
|
||||||
</div>
|
</div>
|
||||||
</header>
|
|
||||||
|
|
||||||
<div id="alert" class="hidden p-4 rounded-lg mb-6"></div>
|
<div id="alert" class="hidden p-4 rounded-lg mb-6"></div>
|
||||||
|
|
||||||
@@ -50,13 +36,13 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div class="relative">
|
<div class="relative">
|
||||||
<div class="flex justify-between items-end mb-2">
|
<div class="flex flex-col md:flex-row justify-between items-start md:items-end mb-2 gap-2">
|
||||||
<label for="content" class="block text-sm font-medium text-subtext1 italic">Tip: Type '/' to browse your assets</label>
|
<label for="content" class="block text-sm font-medium text-subtext1 italic">Tip: Type '/' to browse your assets</label>
|
||||||
|
|
||||||
<div class="flex gap-2">
|
<div class="flex gap-2 w-full md:w-auto">
|
||||||
<button
|
<button
|
||||||
id="browse-btn"
|
id="browse-btn"
|
||||||
class="text-sm bg-surface0 hover:bg-surface1 text-lavender px-4 py-2 rounded border border-surface1 transition-colors inline-flex items-center gap-2"
|
class="flex-1 md:flex-none text-sm bg-surface0 hover:bg-surface1 text-lavender px-4 py-2 rounded border border-surface1 transition-colors inline-flex justify-center items-center gap-2"
|
||||||
>
|
>
|
||||||
<svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"><rect width="18" height="18" x="3" y="3" rx="2" ry="2"/><circle cx="9" cy="9" r="2"/><path d="m21 15-3.086-3.086a2 2 0 0 0-2.828 0L6 21"/></svg>
|
<svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"><rect width="18" height="18" x="3" y="3" rx="2" ry="2"/><circle cx="9" cy="9" r="2"/><path d="m21 15-3.086-3.086a2 2 0 0 0-2.828 0L6 21"/></svg>
|
||||||
Library
|
Library
|
||||||
@@ -65,10 +51,10 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
<input type="file" id="file-upload" class="hidden" />
|
<input type="file" id="file-upload" class="hidden" />
|
||||||
<label
|
<label
|
||||||
for="file-upload"
|
for="file-upload"
|
||||||
class="cursor-pointer text-sm bg-surface0 hover:bg-surface1 text-blue px-4 py-2 rounded border border-surface1 transition-colors inline-flex items-center gap-2"
|
class="flex-1 md:flex-none cursor-pointer text-sm bg-surface0 hover:bg-surface1 text-blue px-4 py-2 rounded border border-surface1 transition-colors inline-flex justify-center items-center gap-2"
|
||||||
>
|
>
|
||||||
<svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"><path d="M21 15v4a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2v-4"/><polyline points="17 8 12 3 7 8"/><line x1="12" x2="12" y1="3" y2="15"/></svg>
|
<svg xmlns="http://www.w3.org/2000/svg" width="16" height="16" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"><path d="M21 15v4a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2v-4"/><polyline points="17 8 12 3 7 8"/><line x1="12" x2="12" y1="3" y2="15"/></svg>
|
||||||
Upload File
|
Upload
|
||||||
</label>
|
</label>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
@@ -90,21 +76,20 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
|
||||||
|
|
||||||
<!-- Assets Modal -->
|
<!-- Assets Modal -->
|
||||||
<div id="assets-modal" class="hidden fixed inset-0 z-[100] bg-crust/80 backdrop-blur-sm flex items-center justify-center p-6">
|
<div id="assets-modal" class="hidden fixed inset-0 z-[100] bg-crust/80 backdrop-blur-sm flex items-center justify-center p-4 md:p-6">
|
||||||
<div class="glass w-full max-w-4xl max-h-[80vh] flex flex-col overflow-hidden">
|
<div class="glass w-full max-w-4xl max-h-[90vh] flex flex-col overflow-hidden">
|
||||||
<header class="p-6 border-b border-white/5 flex justify-between items-center bg-surface0/20">
|
<header class="p-4 md:p-6 border-b border-white/5 flex justify-between items-center bg-surface0/20">
|
||||||
<div>
|
<div>
|
||||||
<h2 class="text-2xl font-bold text-mauve">Asset Library</h2>
|
<h2 class="text-xl md:text-2xl font-bold text-mauve">Asset Library</h2>
|
||||||
<p class="text-xs text-subtext0">Click an asset to insert its markdown link.</p>
|
<p class="text-xs text-subtext0">Click an asset to insert its markdown link.</p>
|
||||||
</div>
|
</div>
|
||||||
<button id="close-modal" class="p-2 text-subtext0 hover:text-red transition-colors">
|
<button id="close-modal" class="p-2 text-subtext0 hover:text-red transition-colors">
|
||||||
<svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"><path d="M18 6 6 18"/><path d="m6 6 12 12"/></svg>
|
<svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round"><path d="M18 6 6 18"/><path d="m6 6 12 12"/></svg>
|
||||||
</button>
|
</button>
|
||||||
</header>
|
</header>
|
||||||
<div class="p-6 overflow-y-auto flex-1 bg-base/50">
|
<div class="p-4 md:p-6 overflow-y-auto flex-1 bg-base/50">
|
||||||
<div id="assets-grid" class="grid grid-cols-2 md:grid-cols-4 lg:grid-cols-5 gap-4">
|
<div id="assets-grid" class="grid grid-cols-2 md:grid-cols-4 lg:grid-cols-5 gap-4">
|
||||||
<!-- Assets injected here -->
|
<!-- Assets injected here -->
|
||||||
</div>
|
</div>
|
||||||
@@ -117,12 +102,10 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
</div>
|
</div>
|
||||||
|
|
||||||
<script>
|
<script>
|
||||||
const token = localStorage.getItem('admin_token');
|
import { showAlert } from '../../components/ui/Alert';
|
||||||
if (!token) {
|
|
||||||
window.location.href = '/admin/login';
|
document.addEventListener('admin-auth-ready', (e: any) => {
|
||||||
} else {
|
const token = e.detail.token;
|
||||||
document.getElementById('editor-content')!.style.display = 'block';
|
|
||||||
}
|
|
||||||
|
|
||||||
const slugInput = document.getElementById('slug') as HTMLInputElement;
|
const slugInput = document.getElementById('slug') as HTMLInputElement;
|
||||||
const contentInput = document.getElementById('content') as HTMLTextAreaElement;
|
const contentInput = document.getElementById('content') as HTMLTextAreaElement;
|
||||||
@@ -137,11 +120,10 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
const autocomplete = document.getElementById('autocomplete');
|
const autocomplete = document.getElementById('autocomplete');
|
||||||
const autocompleteList = document.getElementById('autocomplete-list');
|
const autocompleteList = document.getElementById('autocomplete-list');
|
||||||
|
|
||||||
// Initialize CodeMirror
|
|
||||||
// @ts-ignore
|
// @ts-ignore
|
||||||
const editor = CodeMirror.fromTextArea(contentInput, {
|
const editor = CodeMirror.fromTextArea(contentInput, {
|
||||||
mode: 'markdown',
|
mode: 'markdown',
|
||||||
theme: 'default',
|
theme: 'narlblog',
|
||||||
lineWrapping: true,
|
lineWrapping: true,
|
||||||
keyMap: window.innerWidth > 768 ? 'vim' : 'default',
|
keyMap: window.innerWidth > 768 ? 'vim' : 'default',
|
||||||
extraKeys: {"Enter": "newlineAndIndentContinueMarkdownList"}
|
extraKeys: {"Enter": "newlineAndIndentContinueMarkdownList"}
|
||||||
@@ -227,7 +209,6 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
editor.focus();
|
editor.focus();
|
||||||
}
|
}
|
||||||
|
|
||||||
// Autocomplete on '/' or '!' inside CodeMirror
|
|
||||||
editor.on('inputRead', (cm: any, change: any) => {
|
editor.on('inputRead', (cm: any, change: any) => {
|
||||||
if (change.text && change.text.length === 1 && (change.text[0] === '/' || change.text[0] === '!')) {
|
if (change.text && change.text.length === 1 && (change.text[0] === '/' || change.text[0] === '!')) {
|
||||||
showAutocomplete();
|
showAutocomplete();
|
||||||
@@ -280,7 +261,6 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
autocomplete?.classList.add('hidden');
|
autocomplete?.classList.add('hidden');
|
||||||
}
|
}
|
||||||
|
|
||||||
// Close autocomplete on click outside
|
|
||||||
window.addEventListener('click', (e) => {
|
window.addEventListener('click', (e) => {
|
||||||
if (!autocomplete?.contains(e.target as Node)) {
|
if (!autocomplete?.contains(e.target as Node)) {
|
||||||
hideAutocomplete();
|
hideAutocomplete();
|
||||||
@@ -367,43 +347,6 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
})
|
})
|
||||||
.catch(() => showAlert('Failed to load post.', 'error'));
|
.catch(() => showAlert('Failed to load post.', 'error'));
|
||||||
}
|
}
|
||||||
|
});
|
||||||
function showAlert(msg: string, type: 'success' | 'error') {
|
|
||||||
const alertEl = document.getElementById('alert');
|
|
||||||
if (alertEl) {
|
|
||||||
alertEl.textContent = msg;
|
|
||||||
alertEl.className = `p-4 rounded-lg mb-6 ${type === 'success' ? 'bg-green/20 text-green border border-green/30' : 'bg-red/20 text-red border border-red/30'}`;
|
|
||||||
alertEl.classList.remove('hidden');
|
|
||||||
setTimeout(() => { alertEl.classList.add('hidden'); }, 4000);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
</script>
|
</script>
|
||||||
</Layout>
|
</AdminLayout>
|
||||||
ect slug on edit
|
|
||||||
delBtn?.classList.remove('hidden');
|
|
||||||
fetch(`/api/posts/${encodeURIComponent(editSlug)}`)
|
|
||||||
.then(res => res.json())
|
|
||||||
.then(data => {
|
|
||||||
if (data.content) {
|
|
||||||
editor.setValue(data.content);
|
|
||||||
}
|
|
||||||
})
|
|
||||||
.catch(() => showAlert('Failed to load post.', 'error'));
|
|
||||||
}
|
|
||||||
|
|
||||||
function showAlert(msg: string, type: 'success' | 'error') {
|
|
||||||
const alertEl = document.getElementById('alert');
|
|
||||||
if (alertEl) {
|
|
||||||
alertEl.textContent = msg;
|
|
||||||
alertEl.className = `p-4 rounded-lg mb-6 ${type === 'success' ? 'bg-green/20 text-green border border-green/30' : 'bg-red/20 text-red border border-red/30'}`;
|
|
||||||
alertEl.classList.remove('hidden');
|
|
||||||
setTimeout(() => { alertEl.classList.add('hidden'); }, 4000);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
</script>
|
|
||||||
</Layout>
|
|
||||||
setTimeout(() => { alertEl.classList.add('hidden'); }, 4000);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
</script>
|
|
||||||
</Layout>
|
|
||||||
|
|||||||
@@ -1,17 +1,11 @@
|
|||||||
---
|
---
|
||||||
import Layout from '../../layouts/Layout.astro';
|
import AdminLayout from '../../layouts/AdminLayout.astro';
|
||||||
---
|
---
|
||||||
|
|
||||||
<Layout title="Admin Dashboard">
|
<AdminLayout title="Admin Dashboard">
|
||||||
<div class="glass p-12 mb-12" id="admin-content" style="display: none;">
|
<button slot="header-actions" id="logout-btn" class="text-red hover:text-maroon transition-colors font-medium">
|
||||||
<header class="mb-12 border-b border-white/5 pb-12 flex justify-between items-center">
|
|
||||||
<h1 class="text-4xl font-extrabold text-mauve">
|
|
||||||
Admin Dashboard
|
|
||||||
</h1>
|
|
||||||
<button id="logout-btn" class="text-red hover:text-maroon transition-colors font-medium">
|
|
||||||
Logout
|
Logout
|
||||||
</button>
|
</button>
|
||||||
</header>
|
|
||||||
|
|
||||||
<div class="grid md:grid-cols-2 gap-8 mb-12">
|
<div class="grid md:grid-cols-2 gap-8 mb-12">
|
||||||
<a href="/admin/editor" class="group">
|
<a href="/admin/editor" class="group">
|
||||||
@@ -54,17 +48,13 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</section>
|
</section>
|
||||||
</div>
|
|
||||||
|
|
||||||
<script>
|
<script>
|
||||||
const token = localStorage.getItem('admin_token');
|
import { showAlert } from '../../components/ui/Alert';
|
||||||
if (!token) {
|
|
||||||
window.location.href = '/admin/login';
|
document.addEventListener('admin-auth-ready', (e: any) => {
|
||||||
} else {
|
const token = e.detail.token;
|
||||||
const content = document.getElementById('admin-content');
|
|
||||||
if (content) content.style.display = 'block';
|
|
||||||
loadPosts();
|
loadPosts();
|
||||||
}
|
|
||||||
|
|
||||||
async function loadPosts() {
|
async function loadPosts() {
|
||||||
const postsList = document.getElementById('posts-list');
|
const postsList = document.getElementById('posts-list');
|
||||||
@@ -100,23 +90,22 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
postsList.appendChild(div);
|
postsList.appendChild(div);
|
||||||
});
|
});
|
||||||
|
|
||||||
// Handle delete
|
|
||||||
document.querySelectorAll('.delete-btn').forEach(btn => {
|
document.querySelectorAll('.delete-btn').forEach(btn => {
|
||||||
btn.addEventListener('click', async (e) => {
|
btn.addEventListener('click', async (ev) => {
|
||||||
const slug = (e.currentTarget as HTMLElement).dataset.slug;
|
const slug = (ev.currentTarget as HTMLElement).dataset.slug;
|
||||||
if (confirm(`Are you sure you want to delete "${slug}"?`)) {
|
if (confirm(`Are you sure you want to delete "${slug}"?`)) {
|
||||||
try {
|
try {
|
||||||
const delRes = await fetch(`/api/posts/${encodeURIComponent(slug)}`, {
|
const delRes = await fetch(`/api/posts/${encodeURIComponent(slug as string)}`, {
|
||||||
method: 'DELETE',
|
method: 'DELETE',
|
||||||
headers: { 'Authorization': `Bearer ${token}` }
|
headers: { 'Authorization': `Bearer ${token}` }
|
||||||
});
|
});
|
||||||
if (delRes.ok) {
|
if (delRes.ok) {
|
||||||
loadPosts();
|
loadPosts();
|
||||||
} else {
|
} else {
|
||||||
alert('Failed to delete post.');
|
showAlert('Failed to delete post.', 'error');
|
||||||
}
|
}
|
||||||
} catch (err) {
|
} catch (err) {
|
||||||
alert('Error connecting to server.');
|
showAlert('Error connecting to server.', 'error');
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
@@ -131,5 +120,6 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
localStorage.removeItem('admin_token');
|
localStorage.removeItem('admin_token');
|
||||||
window.location.href = '/';
|
window.location.href = '/';
|
||||||
});
|
});
|
||||||
|
});
|
||||||
</script>
|
</script>
|
||||||
</Layout>
|
</AdminLayout>
|
||||||
|
|||||||
@@ -1,19 +1,9 @@
|
|||||||
---
|
---
|
||||||
import Layout from '../../layouts/Layout.astro';
|
import AdminLayout from '../../layouts/AdminLayout.astro';
|
||||||
---
|
---
|
||||||
|
|
||||||
<Layout title="Site Settings">
|
<AdminLayout title="Site Settings">
|
||||||
<div class="glass p-12 mb-12" id="settings-content" style="display: none;">
|
<p slot="header-subtitle" class="text-subtext1 mt-2 text-sm md:text-base">Configure how your blog looks and feels globally.</p>
|
||||||
<header class="mb-12 border-b border-white/5 pb-12">
|
|
||||||
<a href="/admin" class="text-blue hover:text-sky transition-colors mb-8 inline-flex items-center gap-2 group">
|
|
||||||
<svg xmlns="http://www.w3.org/2000/svg" width="20" height="20" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" class="transition-transform group-hover:-translate-x-1"><path d="m15 18-6-6 6-6"/></svg>
|
|
||||||
Back to Dashboard
|
|
||||||
</a>
|
|
||||||
<h1 class="text-4xl font-extrabold text-mauve mt-4">
|
|
||||||
Site Settings
|
|
||||||
</h1>
|
|
||||||
<p class="text-subtext1 mt-2">Configure how your blog looks and feels globally.</p>
|
|
||||||
</header>
|
|
||||||
|
|
||||||
<form id="settings-form" class="space-y-8">
|
<form id="settings-form" class="space-y-8">
|
||||||
<div id="alert" class="hidden p-4 rounded-lg mb-6"></div>
|
<div id="alert" class="hidden p-4 rounded-lg mb-6"></div>
|
||||||
@@ -76,16 +66,13 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
Save Site Configuration
|
Save Site Configuration
|
||||||
</button>
|
</button>
|
||||||
</form>
|
</form>
|
||||||
</div>
|
|
||||||
|
|
||||||
<script>
|
<script>
|
||||||
const token = localStorage.getItem('admin_token');
|
import { showAlert } from '../../components/ui/Alert';
|
||||||
if (!token) {
|
|
||||||
window.location.href = '/admin/login';
|
document.addEventListener('admin-auth-ready', (e: any) => {
|
||||||
} else {
|
const token = e.detail.token;
|
||||||
document.getElementById('settings-content')!.style.display = 'block';
|
|
||||||
loadSettings();
|
loadSettings();
|
||||||
}
|
|
||||||
|
|
||||||
async function loadSettings() {
|
async function loadSettings() {
|
||||||
try {
|
try {
|
||||||
@@ -94,21 +81,25 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
const data = await res.json();
|
const data = await res.json();
|
||||||
(document.getElementById('title') as HTMLInputElement).value = data.title || '';
|
(document.getElementById('title') as HTMLInputElement).value = data.title || '';
|
||||||
(document.getElementById('subtitle') as HTMLInputElement).value = data.subtitle || '';
|
(document.getElementById('subtitle') as HTMLInputElement).value = data.subtitle || '';
|
||||||
|
(document.getElementById('welcome_title') as HTMLInputElement).value = data.welcome_title || '';
|
||||||
|
(document.getElementById('welcome_subtitle') as HTMLInputElement).value = data.welcome_subtitle || '';
|
||||||
(document.getElementById('footer') as HTMLInputElement).value = data.footer || '';
|
(document.getElementById('footer') as HTMLInputElement).value = data.footer || '';
|
||||||
(document.getElementById('favicon') as HTMLInputElement).value = data.favicon || '';
|
(document.getElementById('favicon') as HTMLInputElement).value = data.favicon || '';
|
||||||
(document.getElementById('theme') as HTMLSelectElement).value = data.theme || 'mocha';
|
(document.getElementById('theme') as HTMLSelectElement).value = data.theme || 'mocha';
|
||||||
(document.getElementById('custom_css') as HTMLTextAreaElement).value = data.custom_css || '';
|
(document.getElementById('custom_css') as HTMLTextAreaElement).value = data.custom_css || '';
|
||||||
}
|
}
|
||||||
} catch (e) {
|
} catch (err) {
|
||||||
showAlert('Failed to load settings from server.', 'error');
|
showAlert('Failed to load settings from server.', 'error');
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
document.getElementById('settings-form')?.addEventListener('submit', async (e) => {
|
document.getElementById('settings-form')?.addEventListener('submit', async (ev) => {
|
||||||
e.preventDefault();
|
ev.preventDefault();
|
||||||
const payload = {
|
const payload = {
|
||||||
title: (document.getElementById('title') as HTMLInputElement).value,
|
title: (document.getElementById('title') as HTMLInputElement).value,
|
||||||
subtitle: (document.getElementById('subtitle') as HTMLInputElement).value,
|
subtitle: (document.getElementById('subtitle') as HTMLInputElement).value,
|
||||||
|
welcome_title: (document.getElementById('welcome_title') as HTMLInputElement).value,
|
||||||
|
welcome_subtitle: (document.getElementById('welcome_subtitle') as HTMLInputElement).value,
|
||||||
footer: (document.getElementById('footer') as HTMLInputElement).value,
|
footer: (document.getElementById('footer') as HTMLInputElement).value,
|
||||||
favicon: (document.getElementById('favicon') as HTMLInputElement).value,
|
favicon: (document.getElementById('favicon') as HTMLInputElement).value,
|
||||||
theme: (document.getElementById('theme') as HTMLSelectElement).value,
|
theme: (document.getElementById('theme') as HTMLSelectElement).value,
|
||||||
@@ -116,7 +107,6 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
};
|
};
|
||||||
|
|
||||||
try {
|
try {
|
||||||
// Now using relative path which will be proxied
|
|
||||||
const res = await fetch('/api/config', {
|
const res = await fetch('/api/config', {
|
||||||
method: 'POST',
|
method: 'POST',
|
||||||
headers: {
|
headers: {
|
||||||
@@ -132,19 +122,10 @@ import Layout from '../../layouts/Layout.astro';
|
|||||||
const err = await res.json();
|
const err = await res.json();
|
||||||
showAlert(`Error: ${err.error}`, 'error');
|
showAlert(`Error: ${err.error}`, 'error');
|
||||||
}
|
}
|
||||||
} catch (e) {
|
} catch (err) {
|
||||||
showAlert('Failed to save settings. Please check your connection.', 'error');
|
showAlert('Failed to save settings. Please check your connection.', 'error');
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
});
|
||||||
function showAlert(msg: string, type: 'success' | 'error') {
|
|
||||||
const alertEl = document.getElementById('alert');
|
|
||||||
if (alertEl) {
|
|
||||||
alertEl.textContent = msg;
|
|
||||||
alertEl.className = `p-4 rounded-lg mb-6 ${type === 'success' ? 'bg-green/20 text-green border border-green/30' : 'bg-red/20 text-red border border-red/30'}`;
|
|
||||||
alertEl.classList.remove('hidden');
|
|
||||||
window.scrollTo({ top: 0, behavior: 'smooth' });
|
|
||||||
}
|
|
||||||
}
|
|
||||||
</script>
|
</script>
|
||||||
</Layout>
|
</AdminLayout>
|
||||||
|
|||||||
@@ -1,11 +1,12 @@
|
|||||||
---
|
---
|
||||||
import Layout from '../layouts/Layout.astro';
|
import Layout from '../layouts/Layout.astro';
|
||||||
|
import PostCard from '../components/PostCard.astro';
|
||||||
|
|
||||||
const API_URL = (typeof process !== 'undefined' ? process.env.PUBLIC_API_URL : import.meta.env.PUBLIC_API_URL) || 'http://localhost:3000';
|
const API_URL = process.env.PUBLIC_API_URL || 'http://localhost:3000';
|
||||||
console.log('Connecting to backend at:', API_URL);
|
|
||||||
|
|
||||||
interface Post {
|
interface Post {
|
||||||
slug: string;
|
slug: string;
|
||||||
|
excerpt?: string;
|
||||||
}
|
}
|
||||||
|
|
||||||
let posts: Post[] = [];
|
let posts: Post[] = [];
|
||||||
@@ -70,21 +71,11 @@ function formatSlug(slug: string) {
|
|||||||
)}
|
)}
|
||||||
|
|
||||||
{posts.map((post) => (
|
{posts.map((post) => (
|
||||||
<a href={`/posts/${post.slug}`} class="group block">
|
<PostCard
|
||||||
<article class="glass p-5 md:p-8 transition-all hover:scale-[1.01] hover:bg-surface0/80 active:scale-[0.99] flex flex-col md:flex-row justify-between md:items-center gap-4 md:gap-6">
|
slug={post.slug}
|
||||||
<div class="flex-1">
|
excerpt={post.excerpt}
|
||||||
<h2 class="text-xl md:text-3xl font-bold text-lavender group-hover:text-mauve transition-colors mb-2 md:mb-3">
|
formatSlug={formatSlug}
|
||||||
{formatSlug(post.slug)}
|
/>
|
||||||
</h2>
|
|
||||||
<p class="text-text text-sm md:text-base leading-relaxed line-clamp-3">
|
|
||||||
{post.excerpt || `Read more about ${formatSlug(post.slug)}...`}
|
|
||||||
</p>
|
|
||||||
</div>
|
|
||||||
<div class="text-mauve opacity-0 group-hover:opacity-100 transition-opacity self-end md:self-auto shrink-0 hidden md:block">
|
|
||||||
<svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" class="md:w-8 md:h-8"><path d="M5 12h14"/><path d="m12 5 7 7-7 7"/></svg>
|
|
||||||
</div>
|
|
||||||
</article>
|
|
||||||
</a>
|
|
||||||
))}
|
))}
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|||||||
Reference in New Issue
Block a user