add rate limiting configuration for authenticated and unauthenticated requests
All checks were successful
Build & Publish Docker Image / build-and-push (push) Successful in 55s
All checks were successful
Build & Publish Docker Image / build-and-push (push) Successful in 55s
This commit is contained in:
@@ -1,54 +1,70 @@
|
||||
// middleware/ratelimit.go
|
||||
package middleware
|
||||
|
||||
import (
|
||||
"log"
|
||||
"net"
|
||||
"net/http"
|
||||
"sync"
|
||||
"time"
|
||||
|
||||
"golang.org/x/time/rate"
|
||||
"emly-api-go/internal/config"
|
||||
)
|
||||
|
||||
type visitor struct {
|
||||
limiter *rate.Limiter
|
||||
lastSeen time.Time
|
||||
failures int
|
||||
type limitConfig struct {
|
||||
maxReqs int
|
||||
window time.Duration
|
||||
maxFails int
|
||||
banDur time.Duration
|
||||
}
|
||||
|
||||
type ipState struct {
|
||||
count int
|
||||
windowStart time.Time
|
||||
failures int
|
||||
lastSeen time.Time
|
||||
}
|
||||
|
||||
type RateLimiter struct {
|
||||
mu sync.Mutex
|
||||
visitors map[string]*visitor
|
||||
banned sync.Map // ip -> unban time
|
||||
mu sync.Mutex
|
||||
unauthVisitors map[string]*ipState
|
||||
authVisitors map[string]*ipState
|
||||
banned sync.Map // ip -> unban time (shared)
|
||||
|
||||
// config
|
||||
rps rate.Limit // richieste/sec normali
|
||||
burst int
|
||||
maxFails int // quanti 429 prima del ban
|
||||
banDur time.Duration // durata ban
|
||||
unauthCfg limitConfig
|
||||
authCfg limitConfig
|
||||
cleanEvery time.Duration
|
||||
}
|
||||
|
||||
func NewRateLimiter(rps float64, burst, maxFails int, banDur time.Duration) *RateLimiter {
|
||||
// NewRateLimiter creates a two-tier rate limiter configured from cfg:
|
||||
// - Unauthenticated (no X-API-Key / X-Admin-Key): RL_UNAUTH_* env vars
|
||||
// - Authenticated (X-API-Key or X-Admin-Key present): RL_AUTH_* env vars
|
||||
func NewRateLimiter(cfg *config.Config) *RateLimiter {
|
||||
rl := &RateLimiter{
|
||||
visitors: make(map[string]*visitor),
|
||||
rps: rate.Limit(rps),
|
||||
burst: burst,
|
||||
maxFails: maxFails,
|
||||
banDur: banDur,
|
||||
cleanEvery: 5 * time.Minute,
|
||||
unauthVisitors: make(map[string]*ipState),
|
||||
authVisitors: make(map[string]*ipState),
|
||||
unauthCfg: limitConfig{
|
||||
maxReqs: cfg.RateLimit.UnauthMaxReqs,
|
||||
window: cfg.RateLimit.UnauthWindow,
|
||||
maxFails: cfg.RateLimit.UnauthMaxFails,
|
||||
banDur: cfg.RateLimit.UnauthBanDur,
|
||||
},
|
||||
authCfg: limitConfig{
|
||||
maxReqs: cfg.RateLimit.AuthMaxReqs,
|
||||
window: cfg.RateLimit.AuthWindow,
|
||||
maxFails: cfg.RateLimit.AuthMaxFails,
|
||||
banDur: cfg.RateLimit.AuthBanDur,
|
||||
},
|
||||
cleanEvery: 10 * time.Minute,
|
||||
}
|
||||
go rl.cleanupLoop()
|
||||
return rl
|
||||
}
|
||||
|
||||
func (rl *RateLimiter) getIP(r *http.Request) string {
|
||||
// Rispetta X-Forwarded-For se dietro Traefik/proxy
|
||||
if ip := r.Header.Get("X-Real-IP"); ip != "" {
|
||||
return ip
|
||||
}
|
||||
if ip := r.Header.Get("X-Forwarded-For"); ip != "" {
|
||||
// Prendi il primo IP (quello del client originale)
|
||||
if h, _, err := net.SplitHostPort(ip); err == nil {
|
||||
return h
|
||||
}
|
||||
@@ -58,62 +74,84 @@ func (rl *RateLimiter) getIP(r *http.Request) string {
|
||||
return host
|
||||
}
|
||||
|
||||
func (rl *RateLimiter) getVisitor(ip string) *visitor {
|
||||
func (rl *RateLimiter) isAuthenticated(r *http.Request) bool {
|
||||
return r.Header.Get("X-API-Key") != "" || r.Header.Get("X-Admin-Key") != ""
|
||||
}
|
||||
|
||||
// record increments the counter for the IP and returns whether the limit was
|
||||
// exceeded, the current failure count, and whether the IP should be banned.
|
||||
func (rl *RateLimiter) record(ip string, auth bool) (exceeded bool, failures int, shouldBan bool, banDur time.Duration) {
|
||||
rl.mu.Lock()
|
||||
defer rl.mu.Unlock()
|
||||
|
||||
v, ok := rl.visitors[ip]
|
||||
if !ok {
|
||||
v = &visitor{
|
||||
limiter: rate.NewLimiter(rl.rps, rl.burst),
|
||||
}
|
||||
rl.visitors[ip] = v
|
||||
var visitors map[string]*ipState
|
||||
var cfg limitConfig
|
||||
if auth {
|
||||
visitors = rl.authVisitors
|
||||
cfg = rl.authCfg
|
||||
} else {
|
||||
visitors = rl.unauthVisitors
|
||||
cfg = rl.unauthCfg
|
||||
}
|
||||
v.lastSeen = time.Now()
|
||||
return v
|
||||
|
||||
v, ok := visitors[ip]
|
||||
if !ok {
|
||||
v = &ipState{windowStart: time.Now()}
|
||||
visitors[ip] = v
|
||||
}
|
||||
|
||||
now := time.Now()
|
||||
v.lastSeen = now
|
||||
|
||||
// Roll the window if expired
|
||||
if now.Sub(v.windowStart) >= cfg.window {
|
||||
v.count = 0
|
||||
v.windowStart = now
|
||||
}
|
||||
|
||||
v.count++
|
||||
|
||||
if v.count > cfg.maxReqs {
|
||||
v.failures++
|
||||
return true, v.failures, v.failures >= cfg.maxFails, cfg.banDur
|
||||
}
|
||||
|
||||
// Legitimate request within limit — reset failure streak
|
||||
v.failures = 0
|
||||
return false, 0, false, 0
|
||||
}
|
||||
|
||||
func (rl *RateLimiter) Handler(next http.Handler) http.Handler {
|
||||
return http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) {
|
||||
ip := rl.getIP(r)
|
||||
|
||||
// Controlla ban attivo
|
||||
// Check active ban
|
||||
if unbanAt, banned := rl.banned.Load(ip); banned {
|
||||
if time.Now().Before(unbanAt.(time.Time)) {
|
||||
w.Header().Set("Retry-After", unbanAt.(time.Time).Format(time.RFC1123))
|
||||
http.Error(w, "too many requests - temporarily banned", http.StatusForbidden)
|
||||
return
|
||||
}
|
||||
// Ban scaduto
|
||||
rl.banned.Delete(ip)
|
||||
}
|
||||
|
||||
v := rl.getVisitor(ip)
|
||||
auth := rl.isAuthenticated(r)
|
||||
exceeded, failures, shouldBan, banDur := rl.record(ip, auth)
|
||||
|
||||
if !v.limiter.Allow() {
|
||||
rl.mu.Lock()
|
||||
v.failures++
|
||||
fails := v.failures
|
||||
rl.mu.Unlock()
|
||||
|
||||
if fails >= rl.maxFails {
|
||||
unbanAt := time.Now().Add(rl.banDur)
|
||||
if exceeded {
|
||||
if shouldBan {
|
||||
unbanAt := time.Now().Add(banDur)
|
||||
rl.banned.Store(ip, unbanAt)
|
||||
// Opzionale: loga il ban
|
||||
log.Printf("[RATE-LIMIT] IP %s banned until %s (path: %s, auth: %v)", ip, unbanAt.Format(time.RFC1123), r.URL.Path, auth)
|
||||
w.Header().Set("Retry-After", unbanAt.Format(time.RFC1123))
|
||||
http.Error(w, "banned", http.StatusForbidden)
|
||||
return
|
||||
}
|
||||
|
||||
log.Printf("[RATE-LIMIT] IP %s exceeded limit — violation %d (path: %s, auth: %v)", ip, failures, r.URL.Path, auth)
|
||||
http.Error(w, "rate limit exceeded", http.StatusTooManyRequests)
|
||||
return
|
||||
}
|
||||
|
||||
// Reset failures su richiesta legittima
|
||||
rl.mu.Lock()
|
||||
v.failures = 0
|
||||
rl.mu.Unlock()
|
||||
|
||||
next.ServeHTTP(w, r)
|
||||
})
|
||||
}
|
||||
@@ -123,13 +161,17 @@ func (rl *RateLimiter) cleanupLoop() {
|
||||
defer ticker.Stop()
|
||||
for range ticker.C {
|
||||
rl.mu.Lock()
|
||||
for ip, v := range rl.visitors {
|
||||
if time.Since(v.lastSeen) > 10*time.Minute {
|
||||
delete(rl.visitors, ip)
|
||||
for ip, v := range rl.unauthVisitors {
|
||||
if time.Since(v.lastSeen) > rl.unauthCfg.window*2 {
|
||||
delete(rl.unauthVisitors, ip)
|
||||
}
|
||||
}
|
||||
for ip, v := range rl.authVisitors {
|
||||
if time.Since(v.lastSeen) > rl.authCfg.window*2 {
|
||||
delete(rl.authVisitors, ip)
|
||||
}
|
||||
}
|
||||
rl.mu.Unlock()
|
||||
// Pulisci anche i ban scaduti
|
||||
rl.banned.Range(func(k, v any) bool {
|
||||
if time.Now().After(v.(time.Time)) {
|
||||
rl.banned.Delete(k)
|
||||
|
||||
Reference in New Issue
Block a user