- Introduced helpers.LoadTemplateFiles() for consistent layout + topbar rendering - Replaced repeated template.ParseFiles() calls across handlers - Created generic RenderError(w, r, statusCode) helper - Replaced old Render403 with flexible RenderError - Updated AdminOnly middleware to render 403 errors with context - Added 500.html template for graceful panic fallback - Prepared structure for future error codes (404, 429, etc.)
68 lines
1.9 KiB
Go
68 lines
1.9 KiB
Go
package handlers
|
|
|
|
import (
|
|
"database/sql"
|
|
"log"
|
|
"net/http"
|
|
"strconv"
|
|
|
|
"synlotto-website/helpers"
|
|
"synlotto-website/storage"
|
|
)
|
|
|
|
func NotificationsHandler(db *sql.DB) http.HandlerFunc {
|
|
return func(w http.ResponseWriter, r *http.Request) {
|
|
data := BuildTemplateData(db, w, r)
|
|
context := helpers.TemplateContext(w, r, data)
|
|
|
|
tmpl := helpers.LoadTemplateFiles("notifications.html", "templates/account/notifications.html")
|
|
|
|
err := tmpl.ExecuteTemplate(w, "layout", context)
|
|
if err != nil {
|
|
log.Println("❌ Template render error:", err)
|
|
http.Error(w, "Error rendering notifications page", http.StatusInternalServerError)
|
|
}
|
|
}
|
|
}
|
|
|
|
func MarkNotificationReadHandler(db *sql.DB) http.HandlerFunc {
|
|
return func(w http.ResponseWriter, r *http.Request) {
|
|
notificationIDStr := r.URL.Query().Get("id")
|
|
notificationID, err := strconv.Atoi(notificationIDStr)
|
|
if err != nil {
|
|
http.Error(w, "Invalid notification ID", http.StatusBadRequest)
|
|
return
|
|
}
|
|
|
|
session, _ := helpers.GetSession(w, r)
|
|
userID, ok := session.Values["user_id"].(int)
|
|
if !ok {
|
|
http.Error(w, "Unauthorized", http.StatusUnauthorized)
|
|
return
|
|
}
|
|
|
|
notification, err := storage.GetNotificationByID(db, userID, notificationID)
|
|
if err != nil {
|
|
log.Printf("❌ Notification not found or belongs to another user: %v", err)
|
|
notification = nil
|
|
} else if !notification.IsRead {
|
|
err = storage.MarkNotificationAsRead(db, userID, notificationID)
|
|
if err != nil {
|
|
log.Printf("⚠️ Failed to mark as read: %v", err)
|
|
}
|
|
}
|
|
|
|
data := BuildTemplateData(db, w, r)
|
|
context := helpers.TemplateContext(w, r, data)
|
|
context["Notification"] = notification
|
|
|
|
tmpl := helpers.LoadTemplateFiles("read.html", "templates/account/notifications/read.html")
|
|
|
|
err = tmpl.ExecuteTemplate(w, "layout", context)
|
|
if err != nil {
|
|
log.Printf("❌ Template render error: %v", err)
|
|
http.Error(w, "Template render error", http.StatusInternalServerError)
|
|
}
|
|
}
|
|
}
|