-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpipelines.go
232 lines (208 loc) · 6.16 KB
/
pipelines.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
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
package pipelines
import (
"errors"
"log"
_ "net/http/pprof" // Used for the profiling of all pipelines servers/nodes/workers
"os"
"os/signal"
"runtime"
"strconv"
"strings"
"sync"
"time"
"github.com/bign8/pipelines/utils"
"github.com/golang/protobuf/proto"
"github.com/nats-io/nats"
"golang.org/x/net/context"
)
//go:generate protoc --go_out=. pipelines.proto
// Registration dictionary for Services (borrowed from GOB: https://golang.org/src/encoding/gob/type.go?s=24183:24232#L808)
var (
conn *nats.Conn // Local scoped NATS connection instance
registerLock sync.RWMutex
registeredServices = make(map[string]Computation)
)
// ErrKillMeNow is used for now to allow the clients to forcaviley kill themselves
var ErrKillMeNow = errors.New("KILL ME NOW")
type stater struct {
Subject string
Duration int64
}
// Register registers a parent instance of a computaton as a potential worker
func Register(name string, comp Computation) {
if name == "" {
panic("attempt to register empty name")
}
registerLock.Lock()
defer registerLock.Unlock()
if _, ok := registeredServices[name]; ok {
panic("already assigned computation")
}
registeredServices[name] = comp
}
// Computation is the base interface for all working operations
type Computation interface {
Start(context.Context, func()) (context.Context, error)
ProcessRecord(*Record) error
ProcessTimer(*Timer) error
// GetState() interface{} // Called after timer and process calls to store internal state
// SetState(interface{}) // Called before timer and process calls to setup internal state
}
// EmitRecord transmits a record to the system
func EmitRecord(stream string, record *Record) error {
if conn == nil {
return errors.New("Must start pipelines before emitting any records.")
}
emit := &Emit{
Record: record,
Stream: stream,
}
bits, err := proto.Marshal(emit)
if err != nil {
return err
}
dest := "pipelines.server.emit"
if record.Test {
dest = "pipelines.garbage" // TODO: a test server that compares data results
}
return conn.Publish(dest, bits)
}
// Run starts the entire node
func Run() {
// TODO: parse URL from parameters!
var err error
if conn == nil {
addr := nats.DefaultURL
for _, e := range os.Environ() {
pair := strings.Split(e, "=")
if pair[0] == "NATS_ADDR" {
addr = pair[1]
}
}
conn, err = nats.Connect(addr, nats.Name("Node"))
if err != nil {
panic(err)
}
}
// Find diling address for agent to listen to; TODO: make this suck less
var msg *nats.Msg
err = errors.New("starting")
details := []byte(utils.GetIPAddrDebugString())
for ctr := uint(1); err != nil; ctr = ctr << (1 - ctr>>4) { // double until 2^4 = 16
log.Printf("GET UUID: Timeout %ds", ctr)
msg, err = conn.Request("pipelines.server.agent.start", details, time.Second*time.Duration(ctr))
}
log.Printf("SET UUID: %s", msg.Data)
// Listen to terminal signals // TODO: properly shutdown processes + buffers
// https://golang.org/pkg/os/signal/#example_Notify
dying := make(chan os.Signal, 1)
signal.Notify(dying, os.Interrupt)
go func() {
s := <-dying
log.Printf("Got signal: %s", s)
conn.Publish("pipelines.server.agent.die", msg.Data)
runtime.Gosched()
panic("death")
}()
conn.Subscribe("pipelines.kill", func(m *nats.Msg) {
dying <- os.Interrupt
})
// Actually start agent
a := &agent{
ID: string(msg.Data),
conn: conn,
}
toProcess, completed := a.start()
// Locking for loop
log.Printf("Starting main loop")
for work := range toProcess {
go doComputation(work, completed)
}
}
func doComputation(work *Work, completed chan<- stater) {
start := time.Now()
// Grab the registered worker from my list of services
registerLock.RLock()
c, ok := registeredServices[work.Service]
registerLock.RUnlock()
if !ok {
log.Printf("service not found: %v", work.Service)
return
}
// Start the given service
ctx, dieHard := context.WithCancel(context.TODO())
ctx = context.WithValue(ctx, "key", work.Key)
ctx, err := c.Start(ctx, func() {
conn.Publish("pipelines.kill", []byte(""))
})
if err != nil {
log.Printf("Service could not start: %s : %s", work.Service, err)
}
// Private inbox for node
inbox := make(chan interface{}, 10) // buffer before queue
todo := utils.Buffer(work.ServiceKey(), inbox, ctx.Done())
enqueued := int64(0)
started := int64(0)
inbox <- work.GetRecord()
// Start listener subscription for node
sub1, _ := conn.Subscribe("pipelines.node."+work.ServiceKey(), func(m *nats.Msg) {
if m.Reply != "" {
conn.Publish(m.Reply, []byte("ACK"))
}
var w Work
if err := proto.Unmarshal(m.Data, &w); err != nil {
log.Printf("Unable to unmarshal work for service %s: %s", work.Service, err)
return
}
inbox <- w.GetRecord()
enqueued++
})
sub2, _ := conn.Subscribe("pipelines.node."+work.ServiceKey()+".ping", func(m *nats.Msg) {
conn.Publish(m.Reply, []byte("PONG"))
})
// Blocking call
// then := time.Now().Add(5 * time.Second)
ticker := time.Tick(5 * time.Second)
all:
for {
select {
case item := <-todo:
if item == nil {
break all
}
started++
err := c.ProcessRecord(item.(*Record))
if err != nil {
break all
}
case <-ticker:
if enqueued > 0 {
conn.Publish("pipelines.stats.enqueued_"+work.Service, []byte(strconv.FormatInt(enqueued, 10)))
enqueued = 0
}
if started > 0 {
conn.Publish("pipelines.stats.started_"+work.Service, []byte(strconv.FormatInt(started, 10)))
started = 0
}
}
}
dieHard()
// Sent remaining enqueued items
if enqueued > 0 {
conn.Publish("pipelines.stats.enqueued_"+work.Service, []byte(strconv.FormatInt(enqueued, 10)))
}
// Cleanup subscriptions
sub1.Unsubscribe()
sub2.Unsubscribe()
elapsed := time.Since(start)
log.Printf("Completing Work [%s]: %s: %s", work.Service, work.Key, elapsed)
completed <- stater{Subject: work.Service, Duration: int64(elapsed.Seconds() * 1000)}
}
// Initialize internal memory model
func init() {
// go func() {
// log.Println("Starting Debug Server... See https://golang.org/pkg/net/http/pprof/ for details.")
// log.Println(http.ListenAndServe("localhost:6060", nil))
// }()
// log.Printf("Using all the CPUs. Before: %d; After: %d", runtime.GOMAXPROCS(runtime.NumCPU()), runtime.GOMAXPROCS(-1))
}