This repository was archived by the owner on Sep 18, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathcirrus.go
79 lines (64 loc) · 1.94 KB
/
cirrus.go
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
package cirrus
import (
"log"
"sync"
"time"
)
const (
//NumNodes = 1024
// NumNodes is the number of nodes we offer (max 1024)
NumNodes = 10
// GrpcPort is the port our gRPC server runs on
GrpcPort = 50051
)
var (
// HeartbeatPeriodicity is how often apps should heartbeat before we requisition their node IDs.
HeartbeatPeriodicity = getHeartbeatPeriodicity()
// StaleCheckPeriodicity is how often we check for stale node IDs
StaleCheckPeriodicity = time.Second * 5
)
// AvailableNodeIds is a channel of available node IDs.
// As nodes die, their node IDs will be requisitioned and sent into the channel.
var AvailableNodeIds = make(chan int, NumNodes)
// maps node IDs to heartbeats
// TODO use int32, since protobuf has no vanilla int?
// Heartbeats stores the last time nodes sent a heartbeat.
var Heartbeats map[int]time.Time
// Server is the main struct used to run Cirrus.
// It runs a gRPC server for heartbeats, as well as handles requisitioning of stale node IDs.
type Server struct {
}
// how long an apps can abstain from heartbeat-ing its node ID
// before we consider it stale
func getHeartbeatPeriodicity() time.Duration {
return time.Second * 10
}
func (f *Server) run() {
Heartbeats = make(map[int]time.Time, NumNodes)
log.Println("Seeding available node IDs...")
for i := 0; i < NumNodes; i++ {
AvailableNodeIds <- i
}
log.Println("Finished seeding...")
var wg sync.WaitGroup
wg.Add(1)
go PruneStaleEntries(StaleCheckPeriodicity)
wg.Add(1)
s := &GrpcServer{port: GrpcPort}
go s.run()
wg.Wait()
}
// PruneStaleEntries checks for stale node IDs.
func PruneStaleEntries(sleepDuration time.Duration) {
for {
log.Println("Checking for stale node IDs...")
for nodeID, heartbeatTime := range Heartbeats {
if time.Now().After(heartbeatTime.Add(HeartbeatPeriodicity)) {
log.Printf("Node %d has been requisitioned", nodeID)
AvailableNodeIds <- nodeID
delete(Heartbeats, nodeID)
}
}
time.Sleep(sleepDuration)
}
}