package handlers import ( "net/http" "counter/internal/domain/entities" "counter/internal/usecase/auth" "github.com/gin-gonic/gin" ) // AuthHandler handles authentication HTTP requests type AuthHandler struct { authService *auth.AuthService } // NewAuthHandler creates a new authentication handler func NewAuthHandler(authService *auth.AuthService) *AuthHandler { return &AuthHandler{ authService: authService, } } // Register handles user registration func (h *AuthHandler) Register(c *gin.Context) { var req auth.RegisterRequest if err := c.ShouldBindJSON(&req); err != nil { c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()}) return } response, err := h.authService.Register(c.Request.Context(), &req) if err != nil { switch err { case entities.ErrUserAlreadyExists: c.JSON(http.StatusConflict, gin.H{"error": "Username or email already exists"}) default: c.JSON(http.StatusInternalServerError, gin.H{"error": "Failed to create user"}) } return } c.JSON(http.StatusCreated, response) } // Login handles user login func (h *AuthHandler) Login(c *gin.Context) { var req auth.LoginRequest if err := c.ShouldBindJSON(&req); err != nil { c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()}) return } response, err := h.authService.Login(c.Request.Context(), &req) if err != nil { switch err { case entities.ErrInvalidCredentials: c.JSON(http.StatusUnauthorized, gin.H{"error": "Invalid credentials"}) default: c.JSON(http.StatusInternalServerError, gin.H{"error": "Authentication failed"}) } return } c.JSON(http.StatusOK, response) } // GetMe returns the current authenticated user func (h *AuthHandler) GetMe(c *gin.Context) { userID := c.GetInt("user_id") user, err := h.authService.GetCurrentUser(c.Request.Context(), userID) if err != nil { c.JSON(http.StatusInternalServerError, gin.H{"error": "Failed to get user"}) return } c.JSON(http.StatusOK, user) }