You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
55 lines
1.1 KiB
55 lines
1.1 KiB
package middleware
|
|
|
|
import (
|
|
"net/http"
|
|
"strings"
|
|
"task-track-backend/pkg/auth"
|
|
|
|
"github.com/gin-gonic/gin"
|
|
)
|
|
|
|
func AuthMiddleware() gin.HandlerFunc {
|
|
return func(c *gin.Context) {
|
|
// 获取 Authorization header
|
|
authHeader := c.GetHeader("Authorization")
|
|
if authHeader == "" {
|
|
c.JSON(http.StatusUnauthorized, gin.H{
|
|
"code": 401,
|
|
"message": "Authorization header is required",
|
|
})
|
|
c.Abort()
|
|
return
|
|
}
|
|
|
|
// 验证 Bearer token 格式
|
|
parts := strings.SplitN(authHeader, " ", 2)
|
|
if !(len(parts) == 2 && parts[0] == "Bearer") {
|
|
c.JSON(http.StatusUnauthorized, gin.H{
|
|
"code": 401,
|
|
"message": "Authorization header format must be Bearer {token}",
|
|
})
|
|
c.Abort()
|
|
return
|
|
}
|
|
|
|
token := parts[1]
|
|
|
|
// 验证 JWT token
|
|
claims, err := auth.ValidateToken(token)
|
|
if err != nil {
|
|
c.JSON(http.StatusUnauthorized, gin.H{
|
|
"code": 401,
|
|
"message": "Invalid token",
|
|
})
|
|
c.Abort()
|
|
return
|
|
}
|
|
|
|
// 将用户信息存储到上下文中
|
|
c.Set("user_id", claims.UserID)
|
|
c.Set("username", claims.Username)
|
|
c.Set("organization_id", claims.OrganizationID)
|
|
|
|
c.Next()
|
|
}
|
|
}
|
|
|