azote-backend/controllers/userController.go

77 lines
1.6 KiB
Go
Raw Normal View History

2024-01-16 00:36:49 +01:00
package controllers
import (
"azote-backend/initializers"
"azote-backend/models"
"errors"
"github.com/gin-gonic/gin"
"github.com/google/uuid"
"gorm.io/gorm"
"net/http"
2024-02-28 17:03:42 +01:00
"strconv"
2024-01-16 00:36:49 +01:00
)
// GetUsers Returns all users
func GetUsers(c *gin.Context) {
2024-02-28 17:03:42 +01:00
page, err := strconv.Atoi(c.Query("page"))
if err != nil || page <= 0 {
page = 1
}
type userResponse struct {
ID uuid.UUID `json:"id"`
Username string `json:"username"`
DisplayName string `json:"display_name"`
Avatar string `json:"profile_picture"`
}
2024-01-16 00:36:49 +01:00
var users []models.User
2024-02-28 17:03:42 +01:00
offset := (page - 1) * 50
result := initializers.DB.Offset(offset).Limit(50).Find(&users)
2024-01-16 00:36:49 +01:00
if result.Error != nil {
c.Status(http.StatusBadRequest)
return
}
2024-02-28 17:03:42 +01:00
var response []userResponse
for _, user := range users {
respUser := userResponse{
ID: user.ID,
Username: user.Username,
DisplayName: user.DisplayName,
Avatar: user.Avatar.FileName,
}
response = append(response, respUser)
}
2024-01-16 00:36:49 +01:00
c.JSON(http.StatusAccepted, gin.H{
2024-02-28 17:03:42 +01:00
"users": response,
2024-01-16 00:36:49 +01:00
})
}
func GetUserById(c *gin.Context) {
userId := c.Param("id")
uniqueId, err := uuid.Parse(userId)
if err != nil {
c.JSON(http.StatusBadRequest, gin.H{"error": "Invalid id format"})
return
}
var user models.User
2024-03-01 23:03:40 +01:00
result := initializers.DB.Preload("Posts").First(&user, "id = ?", uniqueId)
2024-01-16 00:36:49 +01:00
if result.Error != nil {
if errors.Is(result.Error, gorm.ErrRecordNotFound) {
c.JSON(http.StatusNotFound, gin.H{"error": "User not found"})
} else {
c.JSON(http.StatusInternalServerError, gin.H{"error": "Database error"})
}
return
}
c.JSON(http.StatusOK, user)
}