Skip to main content
Version: Next

HCaptcha

Release Discord Test

A simple HCaptcha middleware to prevent bot attacks.

note

Requires Go 1.25 and above

Compatible with Fiber v3.

Go version support

We only support the latest two versions of Go. Visit https://go.dev/doc/devel/release for more information.

Install

caution

This middleware only supports Fiber v3.

go get -u github.com/gofiber/fiber/v3
go get -u github.com/gofiber/contrib/v3/hcaptcha

Signature

hcaptcha.New(config hcaptcha.Config) fiber.Handler

Config

PropertyTypeDescriptionDefault
SecretKeystringThe secret key you obtained from the HCaptcha admin panel. This field must not be empty.""
ResponseKeyFuncfunc(fiber.Ctx) (string, error)ResponseKeyFunc should return the token that the captcha provides upon successful solving. By default, it gets the token from the body by parsing a JSON request and returns the hcaptcha_token field.hcaptcha.DefaultResponseKeyFunc
SiteVerifyURLstringThis property specifies the API resource used for token authentication.https://api.hcaptcha.com/siteverify
ValidateFuncfunc(success bool, c fiber.Ctx) errorOptional custom validation hook called after siteverify completes. Parameters: success (hCaptcha verification result), c (Fiber context). Return nil to continue, or return an error to stop request processing. If unset, middleware defaults to blocking unsuccessful verification. For secure bot protection, reject when success == false.nil

Example

package main

import (
"errors"
"log"

"github.com/gofiber/contrib/v3/hcaptcha"
"github.com/gofiber/fiber/v3"
)

const (
TestSecretKey = "0x0000000000000000000000000000000000000000"
TestSiteKey = "20000000-ffff-ffff-ffff-000000000002"
)

func main() {
app := fiber.New()
captcha := hcaptcha.New(hcaptcha.Config{
// Must set the secret key.
SecretKey: TestSecretKey,
// Optional custom validation handling.
ValidateFunc: func(success bool, c fiber.Ctx) error {
if !success {
if err := c.Status(fiber.StatusForbidden).JSON(fiber.Map{
"error": "HCaptcha validation failed",
"details": "Please complete the captcha challenge and try again",
}); err != nil {
return err
}
return errors.New("custom validation failed")
}
return nil
},
})

app.Get("/api/", func(c fiber.Ctx) error {
return c.JSON(fiber.Map{
"hcaptcha_site_key": TestSiteKey,
})
})

// Middleware order matters: place hcaptcha middleware before the final handler.
app.Post("/api/submit", captcha, func(c fiber.Ctx) error {
return c.SendString("You are not a robot")
})

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