package readlist import ( "net/http" "github.com/gin-gonic/gin" ) // Handler handles HTTP requests for read later items type Handler struct { service *Service } // NewHandler creates a new read later handler func NewHandler(service *Service) *Handler { return &Handler{service: service} } // RegisterRoutes registers the read later routes with the given router group func (h *Handler) RegisterRoutes(group *gin.RouterGroup) { readlist := group.Group("/readlist") { readlist.GET("", h.handleList) readlist.POST("", h.handleCreate) readlist.GET("/:id", h.handleGet) readlist.POST("/:id/read", h.handleMarkRead) readlist.DELETE("/:id", h.handleDelete) } // Test endpoint group.POST("/test/readlist/reset", h.handleReset) } func (h *Handler) handleList(c *gin.Context) { items, err := h.service.List() if err != nil { c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()}) return } c.JSON(http.StatusOK, items) } func (h *Handler) handleCreate(c *gin.Context) { var req struct { URL string `json:"url" binding:"required"` } if err := c.ShouldBindJSON(&req); err != nil { c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()}) return } item, err := h.service.Create(req.URL) if err != nil { c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()}) return } c.JSON(http.StatusOK, item) } func (h *Handler) handleGet(c *gin.Context) { id := c.Param("id") item, err := h.service.Get(id) if err != nil { c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()}) return } if item == nil { c.Status(http.StatusNotFound) return } c.JSON(http.StatusOK, item) } func (h *Handler) handleMarkRead(c *gin.Context) { id := c.Param("id") if err := h.service.MarkRead(id); err != nil { c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()}) return } c.Status(http.StatusOK) } func (h *Handler) handleDelete(c *gin.Context) { id := c.Param("id") if err := h.service.Delete(id); err != nil { c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()}) return } c.Status(http.StatusOK) } func (h *Handler) handleReset(c *gin.Context) { if err := h.service.Reset(); err != nil { c.JSON(http.StatusInternalServerError, gin.H{"error": err.Error()}) return } c.Status(http.StatusOK) }