Skip to content

Latest commit

 

History

History
84 lines (60 loc) · 1.87 KB

README.md

File metadata and controls

84 lines (60 loc) · 1.87 KB
title keywords description
Multiple Ports
multiple ports
server
port
Running an application on multiple ports.

Multiple Ports Example

Github StackBlitz

This project demonstrates how to run a Go application using the Fiber framework on multiple ports.

Prerequisites

Ensure you have the following installed:

Setup

  1. Clone the repository:

    git clone https://github.com/gofiber/recipes.git
    cd recipes/multiple-ports
  2. Install dependencies:

    go get

Running the Application

  1. Start the application:
    go run main.go

Example

Here is an example of how to run a Fiber application on multiple ports:

package main

import (
    "log"
    "sync"

    "github.com/gofiber/fiber/v2"
)

func main() {
    app := fiber.New()

    app.Get("/", func(c *fiber.Ctx) error {
        return c.SendString("Hello, World!")
    })

    ports := []string{":3000", ":3001"}

    var wg sync.WaitGroup
    for _, port := range ports {
        wg.Add(1)
        go func(p string) {
            defer wg.Done()
            if err := app.Listen(p); err != nil {
                log.Printf("Error starting server on port %s: %v", p, err)
            }
        }(port)
    }

    wg.Wait()
}

In this example:

  • The application listens on multiple ports (:3000 and :3001).
  • A sync.WaitGroup is used to wait for all goroutines to finish.

References