-
Notifications
You must be signed in to change notification settings - Fork 1
Expand file tree
/
Copy pathmain.go
More file actions
406 lines (352 loc) · 10.6 KB
/
main.go
File metadata and controls
406 lines (352 loc) · 10.6 KB
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
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
package main
import (
"context"
"fmt"
"hostlink/app"
"hostlink/app/jobs/heartbeatjob"
"hostlink/app/jobs/metricsjob"
"hostlink/app/jobs/registrationjob"
"hostlink/app/jobs/selfupdatejob"
"hostlink/app/jobs/taskjob"
"hostlink/app/services/agentstate"
"hostlink/app/services/heartbeat"
"hostlink/app/services/metrics"
"hostlink/app/services/requestsigner"
"hostlink/app/services/taskfetcher"
"hostlink/app/services/taskreporter"
"hostlink/app/services/updatecheck"
"hostlink/app/services/updatedownload"
"hostlink/app/services/updatepreflight"
"hostlink/cmd/upgrade"
"hostlink/config"
"hostlink/config/appconf"
"hostlink/internal/dbconn"
"hostlink/internal/httpclient"
"hostlink/internal/update"
"hostlink/internal/validator"
"hostlink/version"
"log"
"os"
"syscall"
"time"
"github.com/joho/godotenv"
"github.com/labstack/echo/v4"
"github.com/labstack/echo/v4/middleware"
"github.com/urfave/cli/v3"
)
func init() {
_ = godotenv.Load()
}
func newApp() *cli.Command {
return &cli.Command{
Name: "hostlink",
Usage: "Hostlink agent",
Version: version.Version,
Action: runServer,
Commands: []*cli.Command{
{
Name: "version",
Usage: "Print the version",
Action: func(ctx context.Context, cmd *cli.Command) error {
fmt.Println(version.Version)
return nil
},
},
{
Name: "upgrade",
Usage: "Upgrade the hostlink binary in-place",
Flags: []cli.Flag{
&cli.StringFlag{
Name: "install-path",
Usage: "Target path to install the binary",
Value: "/usr/bin/hostlink",
Sources: cli.EnvVars("HOSTLINK_INSTALL_PATH"),
},
&cli.BoolFlag{
Name: "dry-run",
Usage: "Validate preconditions without performing the upgrade",
},
&cli.StringFlag{
Name: "base-dir",
Usage: "Override update base directory (for testing)",
Hidden: true,
},
&cli.StringFlag{
Name: "update-id",
Usage: "Unique ID for this update operation",
Hidden: true,
},
&cli.StringFlag{
Name: "source-version",
Usage: "Version being upgraded from",
Hidden: true,
},
},
Action: runUpgrade,
},
},
}
}
const upgradeTimeout = 90 * time.Second
func runUpgrade(ctx context.Context, cmd *cli.Command) error {
installPath := cmd.String("install-path")
if installPath == "" {
return fmt.Errorf("--install-path cannot be empty")
}
dryRun := cmd.Bool("dry-run")
baseDir := cmd.String("base-dir")
updateID := cmd.String("update-id")
sourceVersion := cmd.String("source-version")
// Resolve self path (the staged binary that was executed)
selfPath, err := os.Executable()
if err != nil {
return fmt.Errorf("cannot determine self path: %w", err)
}
// Set up paths (use custom base-dir if provided, otherwise defaults)
var paths update.Paths
if baseDir != "" {
paths = update.NewPaths(baseDir)
} else {
paths = update.DefaultPaths()
}
// Set up logger
logger, cleanup, err := upgrade.NewLogger(upgrade.DefaultLogPath)
if err != nil {
// Fall back to stderr-only logging if we can't write the log file
fmt.Fprintf(os.Stderr, "warning: cannot open log file: %v\n", err)
logger = nil // Upgrader will use discard logger
} else {
defer cleanup()
}
// Skip auto-download in these cases:
// 1. --dry-run: only validates preconditions
// 2. --base-dir set: likely a test with custom paths
// 3. HOSTLINK_ENV=test: explicit test environment
// 4. Running from staging: spawned by selfupdatejob (handled by IsManualInvocation)
skipAutoDownload := dryRun || baseDir != "" || os.Getenv("HOSTLINK_ENV") == "test"
if !skipAutoDownload && upgrade.IsManualInvocation(selfPath, installPath, paths.StagingDir) {
fmt.Fprintf(os.Stderr, "Manual upgrade detected, checking for latest version...\n")
// Create auto-downloader to fetch latest version
ad, err := upgrade.NewAutoDownloader(upgrade.NewAutoDownloaderConfig{
StagingDir: paths.StagingDir,
Logger: logger,
})
if err != nil {
return fmt.Errorf("failed to initialize auto-downloader: %w", err)
}
// Check and download latest version if available
stagedBinary, err := ad.DownloadLatestIfNeeded(ctx)
if err != nil {
return fmt.Errorf("failed to download latest version: %w", err)
}
if stagedBinary == "" {
fmt.Fprintf(os.Stderr, "Already running the latest version (%s)\n", version.Version)
return nil
}
fmt.Fprintf(os.Stderr, "Downloaded new version, executing upgrade...\n")
// Hand off to the staged binary to complete the upgrade
// Pass through all original args
args := []string{"upgrade", "--install-path", installPath}
if baseDir != "" {
args = append(args, "--base-dir", baseDir)
}
if dryRun {
args = append(args, "--dry-run")
}
// This replaces the current process - never returns on success
return upgrade.ExecStagedBinary(stagedBinary, args)
}
// Normal upgrade flow (spawned by selfupdatejob or exec'd from auto-download)
// Build config
cfg := &upgrade.Config{
InstallPath: installPath,
SelfPath: selfPath,
BackupDir: paths.BackupDir,
LockPath: paths.LockFile,
StatePath: paths.StateFile,
HealthURL: "http://127.0.0.1:" + appconf.Port() + "/health",
TargetVersion: version.Version,
UpdateID: updateID,
SourceVersion: sourceVersion,
Logger: logger,
}
u, err := upgrade.NewUpgrader(cfg)
if err != nil {
return err
}
if dryRun {
results := u.DryRun(ctx)
allPassed := true
for _, r := range results {
status := "PASS"
if !r.Passed {
status = "FAIL"
allPassed = false
}
fmt.Fprintf(os.Stderr, "[%s] %s: %s\n", status, r.Name, r.Detail)
}
if !allPassed {
return fmt.Errorf("dry-run: one or more checks failed")
}
return nil
}
// Set up timeout and signal handling
ctx, cancel := context.WithTimeout(ctx, upgradeTimeout)
defer cancel()
stop := upgrade.WatchSignals(cancel)
defer stop()
return u.Run(ctx)
}
func runServer(ctx context.Context, cmd *cli.Command) error {
db, err := dbconn.GetConn(
dbconn.WithURL(appconf.DBURL()),
)
if err != nil {
log.Fatal("db connection failed", err)
}
defer dbconn.Close()
container := app.NewContainer(db)
if err := container.Migrate(); err != nil {
log.Fatal("migration failed", err)
}
e := echo.New()
e.Validator = validator.New()
e.Use(middleware.Logger())
e.Use(middleware.Recover())
config.AddRoutesV2(e, container)
// Agent-related jobs run in goroutine after registration
go func() {
ctx := context.Background()
registeredChan := make(chan bool, 1)
registrationJob := registrationjob.New()
registrationJob.Register(registeredChan)
// Wait for registration to complete
<-registeredChan
log.Println("Agent registered, starting task job...")
fetcher, err := taskfetcher.NewDefault()
if err != nil {
log.Printf("failed to initialize task fetcher: %v", err)
return
}
reporter, err := taskreporter.NewDefault()
if err != nil {
log.Printf("failed to initialize task reporter: %v", err)
return
}
taskJob := taskjob.New()
taskJob.Register(ctx, fetcher, reporter)
metricsReporter, err := metrics.New()
if err != nil {
log.Printf("failed to initialize metrics reporter: %v", err)
return
}
metricsJob := metricsjob.New()
metricsJob.Register(ctx, metricsReporter, metricsReporter)
heartbeatSvc, err := heartbeat.New()
if err != nil {
log.Printf("failed to initialize heartbeat service: %v", err)
return
}
heartbeatJob := heartbeatjob.New()
heartbeatJob.Register(ctx, heartbeatSvc)
// Self-update job (gated by config)
if appconf.SelfUpdateEnabled() {
startSelfUpdateJob(ctx)
}
}()
return e.Start(fmt.Sprintf(":%s", appconf.Port()))
}
func startSelfUpdateJob(ctx context.Context) {
paths := update.DefaultPaths()
// Ensure update directories exist with correct permissions
if err := update.InitDirectories(paths.BaseDir); err != nil {
log.Printf("failed to initialize update directories: %v", err)
return
}
// Clean staging dir on boot and ensure it's ready for use
stagingMgr := updatedownload.NewStagingManager(paths.StagingDir, nil)
if err := stagingMgr.Cleanup(); err != nil {
log.Printf("failed to clean staging dir on boot: %v", err)
}
if err := stagingMgr.Prepare(); err != nil {
log.Printf("failed to prepare staging dir: %v", err)
return
}
// Load agent state for ID and signer
state := agentstate.New(appconf.AgentStatePath())
if err := state.Load(); err != nil {
log.Printf("failed to load agent state for self-update: %v", err)
return
}
agentID := state.GetAgentID()
if agentID == "" {
log.Printf("self-update: agent ID not available, skipping")
return
}
// Create request signer
signer, err := requestsigner.New(appconf.AgentPrivateKeyPath(), agentID)
if err != nil {
log.Printf("failed to create request signer for self-update: %v", err)
return
}
// Create update checker
checker, err := updatecheck.New(
httpclient.NewClient(30*time.Second),
appconf.ControlPlaneURL(),
agentID,
signer,
)
if err != nil {
log.Printf("failed to create update checker: %v", err)
return
}
// Create downloader
downloader := updatedownload.NewDownloader(updatedownload.DefaultDownloadConfig())
// Create preflight checker
preflight := updatepreflight.New(updatepreflight.PreflightConfig{
AgentBinaryPath: appconf.InstallPath(),
UpdatesDir: paths.BaseDir,
StatFunc: func(path string) (uint64, error) {
var stat syscall.Statfs_t
if err := syscall.Statfs(path, &stat); err != nil {
return 0, err
}
return stat.Bavail * uint64(stat.Bsize), nil
},
})
// Create lock manager
lockMgr := update.NewLockManager(update.LockConfig{
LockPath: paths.LockFile,
})
// Create state writer
stateWriter := update.NewStateWriter(update.StateConfig{
StatePath: paths.StateFile,
})
// Configure trigger with update check interval
triggerCfg := selfupdatejob.TriggerConfig{
Interval: appconf.UpdateCheckInterval(),
}
job := selfupdatejob.NewWithConfig(selfupdatejob.SelfUpdateJobConfig{
Trigger: func(ctx context.Context, fn func() error) {
selfupdatejob.TriggerWithConfig(ctx, fn, triggerCfg)
},
UpdateChecker: checker,
Downloader: downloader,
PreflightChecker: preflight,
LockManager: lockMgr,
StateWriter: stateWriter,
Spawn: update.SpawnUpgrade,
InstallBinary: update.InstallBinary,
CurrentVersion: version.Version,
InstallPath: appconf.InstallPath(),
StagingDir: paths.StagingDir,
})
job.Register(ctx)
log.Printf("self-update job started (interval: %s)", appconf.UpdateCheckInterval())
}
func main() {
app := newApp()
if err := app.Run(context.Background(), os.Args); err != nil {
log.Fatal(err)
}
}