Website Backend Development with Go (Fiber)

Our company is engaged in the development, support and maintenance of sites of any complexity. From simple one-page sites to large-scale cluster systems built on micro services. Experience of developers is confirmed by certificates from vendors.
Development and maintenance of all types of websites:
Informational websites or web applications
Business card websites, landing pages, corporate websites, online catalogs, quizzes, promo websites, blogs, news resources, informational portals, forums, aggregators
E-commerce websites or web applications
Online stores, B2B portals, marketplaces, online exchanges, cashback websites, exchanges, dropshipping platforms, product parsers
Business process management web applications
CRM systems, ERP systems, corporate portals, production management systems, information parsers
Electronic service websites or web applications
Classified ads platforms, online schools, online cinemas, website builders, portals for electronic services, video hosting platforms, thematic portals

These are just some of the technical types of websites we work with, and each of them can have its own specific features and functionality, as well as be customized to meet the specific needs and goals of the client.

Showing 1 of 1 servicesAll 2065 services
Website Backend Development with Go (Fiber)
Medium
from 1 week to 3 months
FAQ
Our competencies:
Development stages
Latest works
  • image_web-applications_feedme_466_0.webp
    Development of a web application for FEEDME
    1161
  • image_ecommerce_furnoro_435_0.webp
    Development of an online store for the company FURNORO
    1041
  • image_crm_enviok_479_0.webp
    Development of a web application for Enviok
    822
  • image_crm_chasseurs_493_0.webp
    CRM development for Chasseurs
    847
  • image_website-sbh_0.png
    Website development for SBH Partners
    999
  • image_website-_0.png
    Website development for Red Pear
    451

Website Backend Development with Go (Fiber)

Fiber is a Go framework inspired by Express.js. If a developer comes from Node.js, the API will feel familiar. Under the hood — fasthttp instead of standard net/http, which gives ~2x performance gain in synthetic HTTP benchmarks. In real projects with PostgreSQL and Redis, the difference is smaller, but Fiber remains one of the fastest Go frameworks.

Important caveat: fasthttp is incompatible with net/http middleware. This means that parts of the Go ecosystem (for example, standard OpenTelemetry middleware for net/http) don't work directly — you need adapters or Fiber-specific packages.

Initialization

package main

import (
    "log"
    "os"

    "github.com/gofiber/fiber/v2"
    "github.com/gofiber/fiber/v2/middleware/compress"
    "github.com/gofiber/fiber/v2/middleware/cors"
    "github.com/gofiber/fiber/v2/middleware/helmet"
    "github.com/gofiber/fiber/v2/middleware/logger"
    "github.com/gofiber/fiber/v2/middleware/recover"
    "github.com/gofiber/fiber/v2/middleware/limiter"
)

func main() {
    app := fiber.New(fiber.Config{
        AppName:               "MyAPI v1.0",
        ReadTimeout:           10 * time.Second,
        WriteTimeout:          10 * time.Second,
        IdleTimeout:           120 * time.Second,
        BodyLimit:             4 * 1024 * 1024, // 4MB
        ErrorHandler:          customErrorHandler,
        DisableStartupMessage: true,
    })

    app.Use(recover.New())
    app.Use(helmet.New())
    app.Use(compress.New(compress.Config{Level: compress.LevelBestSpeed}))
    app.Use(cors.New(cors.Config{
        AllowOrigins:     os.Getenv("ALLOWED_ORIGINS"),
        AllowCredentials: true,
        AllowHeaders:     "Origin, Content-Type, Authorization",
    }))
    app.Use(logger.New(logger.Config{
        Format: "${time} | ${status} | ${latency} | ${method} ${path}\n",
    }))
    app.Use(limiter.New(limiter.Config{Max: 100, Expiration: 60 * time.Second}))

    setupRoutes(app)

    log.Fatal(app.Listen(":8080"))
}

Routing and grouping

func setupRoutes(app *fiber.App) {
    api := app.Group("/api/v1")

    // Public
    api.Post("/auth/login", authHandler.Login)
    api.Post("/auth/refresh", authHandler.Refresh)

    // With JWT middleware
    api.Get("/products", productHandler.List)
    api.Get("/products/:id", productHandler.Get)

    protected := api.Group("/", jwtMiddleware)
    protected.Get("/profile", authHandler.Profile)

    admin := api.Group("/admin", jwtMiddleware, roleMiddleware("admin"))
    admin.Post("/products", productHandler.Create)
    admin.Put("/products/:id", productHandler.Update)
    admin.Delete("/products/:id", productHandler.Delete)
}

Handlers

type ProductHandler struct {
    svc *ProductService
}

type CreateProductInput struct {
    Name       string  `json:"name" validate:"required,min=2,max=255"`
    Price      float64 `json:"price" validate:"required,gt=0"`
    CategoryID *int    `json:"category_id" validate:"omitempty,gt=0"`
}

func (h *ProductHandler) List(c *fiber.Ctx) error {
    page  := c.QueryInt("page", 1)
    limit := c.QueryInt("limit", 20)
    if limit > 100 { limit = 100 }

    catID := 0
    if s := c.Query("category_id"); s != "" {
        catID, _ = strconv.Atoi(s)
    }

    products, total, err := h.svc.List(c.Context(), ListParams{
        Page:       page,
        Limit:      limit,
        CategoryID: catID,
    })
    if err != nil {
        return fiber.ErrInternalServerError
    }

    return c.JSON(fiber.Map{
        "data":       products,
        "pagination": fiber.Map{"page": page, "limit": limit, "total": total},
    })
}

func (h *ProductHandler) Create(c *fiber.Ctx) error {
    var input CreateProductInput
    if err := c.BodyParser(&input); err != nil {
        return fiber.NewError(fiber.StatusBadRequest, err.Error())
    }

    if err := validate.Struct(&input); err != nil {
        return c.Status(fiber.StatusUnprocessableEntity).JSON(fiber.Map{
            "errors": formatValidationErrors(err),
        })
    }

    product, err := h.svc.Create(c.Context(), input)
    if err != nil {
        return mapError(err)
    }

    return c.Status(fiber.StatusCreated).JSON(product)
}

Custom error handler

func customErrorHandler(c *fiber.Ctx, err error) error {
    code := fiber.StatusInternalServerError

    var e *fiber.Error
    if errors.As(err, &e) {
        code = e.Code
    }

    // Don't expose 5xx details in production
    if code >= 500 && os.Getenv("APP_ENV") == "production" {
        return c.Status(code).JSON(fiber.Map{"error": "Internal Server Error"})
    }

    return c.Status(code).JSON(fiber.Map{"error": err.Error()})
}

File uploads

func (h *UploadHandler) Upload(c *fiber.Ctx) error {
    file, err := c.FormFile("file")
    if err != nil {
        return fiber.NewError(fiber.StatusBadRequest, "no file provided")
    }

    if file.Size > 10*1024*1024 {
        return fiber.NewError(fiber.StatusRequestEntityTooLarge, "file too large")
    }

    ext := strings.ToLower(filepath.Ext(file.Filename))
    if !slices.Contains([]string{".jpg", ".jpeg", ".png", ".webp"}, ext) {
        return fiber.NewError(fiber.StatusBadRequest, "unsupported file type")
    }

    f, err := file.Open()
    if err != nil {
        return fiber.ErrInternalServerError
    }
    defer f.Close()

    key := fmt.Sprintf("uploads/%s%s", uuid.New(), ext)
    url, err := h.storage.Upload(c.Context(), key, f, file.Header.Get("Content-Type"))
    if err != nil {
        return fiber.ErrInternalServerError
    }

    return c.JSON(fiber.Map{"url": url})
}

JWT middleware

package middleware

import (
    "strings"

    "github.com/gofiber/fiber/v2"
    "github.com/golang-jwt/jwt/v5"
)

func JWTMiddleware(secret string) fiber.Handler {
    return func(c *fiber.Ctx) error {
        auth := c.Get("Authorization")
        if !strings.HasPrefix(auth, "Bearer ") {
            return fiber.ErrUnauthorized
        }

        token, err := jwt.Parse(auth[7:], func(t *jwt.Token) (interface{}, error) {
            if _, ok := t.Method.(*jwt.SigningMethodHMAC); !ok {
                return nil, fiber.ErrUnauthorized
            }
            return []byte(secret), nil
        })

        if err != nil || !token.Valid {
            return fiber.ErrUnauthorized
        }

        claims := token.Claims.(jwt.MapClaims)
        c.Locals("userID", int(claims["sub"].(float64)))
        c.Locals("role", claims["role"])
        return c.Next()
    }
}

When fasthttp is limiting

fasthttp reuses objects to reduce GC pressure. This requires caution: you cannot capture *fiber.Ctx in goroutines without c.Copy(). When passing context to async operations:

func (h *Handler) AsyncProcess(c *fiber.Ctx) error {
    // DON'T do this — ctx will be reused before goroutine completes
    // go func() { h.svc.Process(c) }()

    // Make a copy
    cc := c.Copy()
    go func() {
        h.svc.ProcessAsync(context.Background(), cc.Body())
    }()

    return c.SendStatus(fiber.StatusAccepted)
}

Development timeline

  • Setup + middleware + routes — 3–5 days
  • Handlers + service layer — 1–2 weeks
  • Repository + pgx — 3–5 days
  • Auth + caching — 3–5 days
  • Tests — 1 week

Website API: 4–8 weeks. Fiber works well for teams with Node.js backgrounds transitioning to Go, and for projects with extreme RPS requirements.