aboutsummaryrefslogtreecommitdiff
path: root/telemetry/server/main.go
blob: 6cbae05c72c7d65666aceb4c74fec16a0512dfb1 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
package main

import (
	"encoding/json"
	"flag"
	"fmt"
	"log"
	"net/http"
	"time"

	"github.com/prometheus/client_golang/prometheus/promhttp"
	"github.com/seaweedfs/seaweedfs/telemetry/server/api"
	"github.com/seaweedfs/seaweedfs/telemetry/server/dashboard"
	"github.com/seaweedfs/seaweedfs/telemetry/server/storage"
)

var (
	port            = flag.Int("port", 8080, "HTTP server port")
	enableCORS      = flag.Bool("cors", true, "Enable CORS for dashboard")
	logRequests     = flag.Bool("log", true, "Log incoming requests")
	enableDashboard = flag.Bool("dashboard", true, "Enable built-in dashboard (optional when using Grafana)")
	cleanupInterval = flag.Duration("cleanup", 24*time.Hour, "Cleanup interval for old instances")
	maxInstanceAge  = flag.Duration("max-age", 30*24*time.Hour, "Maximum age for instances before cleanup")
)

func main() {
	flag.Parse()

	// Create Prometheus storage instance
	store := storage.NewPrometheusStorage()

	// Start cleanup routine
	go func() {
		ticker := time.NewTicker(*cleanupInterval)
		defer ticker.Stop()
		for range ticker.C {
			store.CleanupOldInstances(*maxInstanceAge)
		}
	}()

	// Setup HTTP handlers
	mux := http.NewServeMux()

	// Prometheus metrics endpoint
	mux.Handle("/metrics", promhttp.Handler())

	// API endpoints
	apiHandler := api.NewHandler(store)
	mux.HandleFunc("/api/collect", corsMiddleware(logMiddleware(apiHandler.CollectTelemetry)))
	mux.HandleFunc("/api/stats", corsMiddleware(logMiddleware(apiHandler.GetStats)))
	mux.HandleFunc("/api/instances", corsMiddleware(logMiddleware(apiHandler.GetInstances)))
	mux.HandleFunc("/api/metrics", corsMiddleware(logMiddleware(apiHandler.GetMetrics)))

	// Dashboard (optional)
	if *enableDashboard {
		dashboardHandler := dashboard.NewHandler()
		mux.HandleFunc("/", corsMiddleware(dashboardHandler.ServeIndex))
		mux.HandleFunc("/dashboard", corsMiddleware(dashboardHandler.ServeIndex))
		mux.Handle("/static/", http.StripPrefix("/static/", http.FileServer(http.Dir("./static"))))
	}

	// Health check
	mux.HandleFunc("/health", func(w http.ResponseWriter, r *http.Request) {
		w.Header().Set("Content-Type", "application/json")
		json.NewEncoder(w).Encode(map[string]string{
			"status": "ok",
			"time":   time.Now().UTC().Format(time.RFC3339),
		})
	})

	addr := fmt.Sprintf(":%d", *port)
	log.Printf("Starting telemetry server on %s", addr)
	log.Printf("Prometheus metrics: http://localhost%s/metrics", addr)
	if *enableDashboard {
		log.Printf("Dashboard: http://localhost%s/dashboard", addr)
	}
	log.Printf("Cleanup interval: %v, Max instance age: %v", *cleanupInterval, *maxInstanceAge)

	if err := http.ListenAndServe(addr, mux); err != nil {
		log.Fatalf("Server failed: %v", err)
	}
}

func corsMiddleware(next http.HandlerFunc) http.HandlerFunc {
	return func(w http.ResponseWriter, r *http.Request) {
		if *enableCORS {
			w.Header().Set("Access-Control-Allow-Origin", "*")
			w.Header().Set("Access-Control-Allow-Methods", "GET, POST, OPTIONS")
			w.Header().Set("Access-Control-Allow-Headers", "Content-Type, Authorization")
		}

		if r.Method == "OPTIONS" {
			w.WriteHeader(http.StatusOK)
			return
		}

		next(w, r)
	}
}

func logMiddleware(next http.HandlerFunc) http.HandlerFunc {
	return func(w http.ResponseWriter, r *http.Request) {
		if *logRequests {
			start := time.Now()
			next(w, r)
			log.Printf("%s %s %s %v", r.Method, r.URL.Path, r.RemoteAddr, time.Since(start))
		} else {
			next(w, r)
		}
	}
}