89 lines
2.5 KiB
Go
89 lines
2.5 KiB
Go
package handlers
|
|
|
|
import (
|
|
"net/http"
|
|
"strconv"
|
|
|
|
"cmr-backend/internal/apperr"
|
|
"cmr-backend/internal/httpapi/middleware"
|
|
"cmr-backend/internal/httpx"
|
|
"cmr-backend/internal/service"
|
|
)
|
|
|
|
type SessionHandler struct {
|
|
sessionService *service.SessionService
|
|
}
|
|
|
|
func NewSessionHandler(sessionService *service.SessionService) *SessionHandler {
|
|
return &SessionHandler{sessionService: sessionService}
|
|
}
|
|
|
|
func (h *SessionHandler) GetDetail(w http.ResponseWriter, r *http.Request) {
|
|
auth := middleware.GetAuthContext(r.Context())
|
|
if auth == nil {
|
|
httpx.WriteError(w, apperr.New(http.StatusUnauthorized, "unauthorized", "missing auth context"))
|
|
return
|
|
}
|
|
|
|
result, err := h.sessionService.GetSession(r.Context(), r.PathValue("sessionPublicID"), auth.UserID)
|
|
if err != nil {
|
|
httpx.WriteError(w, err)
|
|
return
|
|
}
|
|
httpx.WriteJSON(w, http.StatusOK, map[string]any{"data": result})
|
|
}
|
|
|
|
func (h *SessionHandler) ListMine(w http.ResponseWriter, r *http.Request) {
|
|
auth := middleware.GetAuthContext(r.Context())
|
|
if auth == nil {
|
|
httpx.WriteError(w, apperr.New(http.StatusUnauthorized, "unauthorized", "missing auth context"))
|
|
return
|
|
}
|
|
|
|
limit := 20
|
|
if raw := r.URL.Query().Get("limit"); raw != "" {
|
|
if parsed, err := strconv.Atoi(raw); err == nil {
|
|
limit = parsed
|
|
}
|
|
}
|
|
|
|
result, err := h.sessionService.ListMySessions(r.Context(), auth.UserID, limit)
|
|
if err != nil {
|
|
httpx.WriteError(w, err)
|
|
return
|
|
}
|
|
httpx.WriteJSON(w, http.StatusOK, map[string]any{"data": result})
|
|
}
|
|
|
|
func (h *SessionHandler) Start(w http.ResponseWriter, r *http.Request) {
|
|
var req service.SessionActionInput
|
|
if err := httpx.DecodeJSON(r, &req); err != nil {
|
|
httpx.WriteError(w, apperr.New(http.StatusBadRequest, "invalid_json", "invalid request body: "+err.Error()))
|
|
return
|
|
}
|
|
req.SessionPublicID = r.PathValue("sessionPublicID")
|
|
|
|
result, err := h.sessionService.StartSession(r.Context(), req)
|
|
if err != nil {
|
|
httpx.WriteError(w, err)
|
|
return
|
|
}
|
|
httpx.WriteJSON(w, http.StatusOK, map[string]any{"data": result})
|
|
}
|
|
|
|
func (h *SessionHandler) Finish(w http.ResponseWriter, r *http.Request) {
|
|
var req service.FinishSessionInput
|
|
if err := httpx.DecodeJSON(r, &req); err != nil {
|
|
httpx.WriteError(w, apperr.New(http.StatusBadRequest, "invalid_json", "invalid request body: "+err.Error()))
|
|
return
|
|
}
|
|
req.SessionPublicID = r.PathValue("sessionPublicID")
|
|
|
|
result, err := h.sessionService.FinishSession(r.Context(), req)
|
|
if err != nil {
|
|
httpx.WriteError(w, err)
|
|
return
|
|
}
|
|
httpx.WriteJSON(w, http.StatusOK, map[string]any{"data": result})
|
|
}
|