Files
go-sqlc-htmx/controllers/user/user.go
2025-06-12 13:12:20 +03:00

105 lines
2.5 KiB
Go

package user
import (
"fmt"
"net/http"
"time"
"github.com/gin-gonic/gin"
"github.com/golang-jwt/jwt/v5"
"github.com/yourusername/go-sqlc-jwt/db"
"golang.org/x/crypto/bcrypt"
)
type AuthHandler struct {
Queries *db.Queries
JWTSecret string
}
func NewAuthHandler(q *db.Queries, secret string) *AuthHandler {
return &AuthHandler{
Queries: q,
JWTSecret: secret,
}
}
type loginRequest struct {
Username string `json:"username" binding:"required"`
Password string `json:"password" binding:"required"`
}
func (h *AuthHandler) Login(c *gin.Context) {
var req loginRequest
if err := c.ShouldBindJSON(&req); err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})
return
}
user, err := h.Queries.GetUserByUsername(c.Request.Context(), req.Username)
if err != nil {
c.JSON(http.StatusUnauthorized, gin.H{"error": "invalid credentials"})
return
}
if err := bcrypt.CompareHashAndPassword([]byte(user.Password), []byte(req.Password)); err != nil {
c.JSON(http.StatusUnauthorized, gin.H{"error": "invalid credentials"})
return
}
token := jwt.NewWithClaims(jwt.SigningMethodHS256, jwt.MapClaims{
"sub": user.ID,
"username": user.Username,
"exp": time.Now().Add(time.Hour * 24).Unix(),
})
tokenString, err := token.SignedString([]byte(h.JWTSecret))
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": "failed to generate token"})
return
}
// Create session in database
_, err = h.Queries.CreateSession(c.Request.Context(), db.CreateSessionParams{
UserID: user.ID,
ExpiresAt: time.Now().Add(time.Hour * 24),
})
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": "failed to create session"})
return
}
c.JSON(http.StatusOK, gin.H{
"token": tokenString,
"expires_in": 3600 * 24,
})
}
func (h *AuthHandler) Register(c *gin.Context) {
var req loginRequest
if err := c.ShouldBindJSON(&req); err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": err.Error()})
return
}
hashedPassword, err := bcrypt.GenerateFromPassword([]byte(req.Password), bcrypt.DefaultCost)
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": "failed to hash password"})
return
}
user, err := h.Queries.CreateUser(c.Request.Context(), db.CreateUserParams{
Username: req.Username,
Password: string(hashedPassword),
})
if err != nil {
c.JSON(http.StatusInternalServerError, gin.H{"error": fmt.Sprintf("failed to create user with err: '%v'", err)})
return
}
c.JSON(http.StatusCreated, gin.H{
"id": user.ID,
"username": user.Username,
})
}