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
|
package main
import (
"context"
"errors"
"io"
"log"
"net/url"
"os"
"time"
"github.com/mesos/mesos-go/api/v1/lib"
"github.com/mesos/mesos-go/api/v1/lib/backoff"
"github.com/mesos/mesos-go/api/v1/lib/encoding"
"github.com/mesos/mesos-go/api/v1/lib/encoding/codecs"
"github.com/mesos/mesos-go/api/v1/lib/executor"
"github.com/mesos/mesos-go/api/v1/lib/executor/calls"
"github.com/mesos/mesos-go/api/v1/lib/executor/config"
"github.com/mesos/mesos-go/api/v1/lib/executor/events"
"github.com/mesos/mesos-go/api/v1/lib/httpcli"
"github.com/mesos/mesos-go/api/v1/lib/httpcli/httpexec"
"github.com/pborman/uuid"
)
const (
apiPath = "/api/v1/executor"
httpTimeout = 10 * time.Second
)
var errMustAbort = errors.New("received abort signal from mesos, will attempt to re-subscribe")
func main() {
cfg, err := config.FromEnv()
if err != nil {
log.Fatal("failed to load configuration: " + err.Error())
}
log.Printf("configuration loaded: %+v", cfg)
run(cfg)
os.Exit(0)
}
func maybeReconnect(cfg config.Config) <-chan struct{} {
if cfg.Checkpoint {
return backoff.Notifier(1*time.Second, cfg.SubscriptionBackoffMax*3/4, nil)
}
return nil
}
func run(cfg config.Config) {
var (
apiURL = url.URL{
Scheme: "http", // TODO(jdef) make this configurable
Host: cfg.AgentEndpoint,
Path: apiPath,
}
http = httpcli.New(
httpcli.Endpoint(apiURL.String()),
httpcli.Codec(codecs.ByMediaType[codecs.MediaTypeProtobuf]),
httpcli.Do(httpcli.With(httpcli.Timeout(httpTimeout))),
)
callOptions = executor.CallOptions{
calls.Framework(cfg.FrameworkID),
calls.Executor(cfg.ExecutorID),
}
state = &internalState{
cli: calls.SenderWith(
httpexec.NewSender(http.Send),
callOptions...,
),
unackedTasks: make(map[mesos.TaskID]mesos.TaskInfo),
unackedUpdates: make(map[string]executor.Call_Update),
failedTasks: make(map[mesos.TaskID]mesos.TaskStatus),
}
subscriber = calls.SenderWith(
httpexec.NewSender(http.Send, httpcli.Close(true)),
callOptions...,
)
shouldReconnect = maybeReconnect(cfg)
disconnected = time.Now()
handler = buildEventHandler(state)
)
for {
func() {
subscribe := calls.Subscribe(unacknowledgedTasks(state), unacknowledgedUpdates(state))
log.Println("subscribing to agent for events..")
resp, err := subscriber.Send(context.TODO(), calls.NonStreaming(subscribe))
if resp != nil {
defer resp.Close()
}
if err == nil {
// we're officially connected, start decoding events
err = eventLoop(state, resp, handler)
disconnected = time.Now()
}
if err != nil && err != io.EOF {
log.Println(err)
} else {
log.Println("disconnected")
}
}()
if state.shouldQuit {
log.Println("gracefully shutting down because we were told to")
return
}
if !cfg.Checkpoint {
log.Println("gracefully exiting because framework checkpointing is NOT enabled")
return
}
if time.Now().Sub(disconnected) > cfg.RecoveryTimeout {
log.Printf("failed to re-establish subscription with agent within %v, aborting", cfg.RecoveryTimeout)
return
}
log.Println("waiting for reconnect timeout")
<-shouldReconnect // wait for some amount of time before retrying subscription
}
}
// unacknowledgedTasks generates the value of the UnacknowledgedTasks field of a Subscribe call.
func unacknowledgedTasks(state *internalState) (result []mesos.TaskInfo) {
if n := len(state.unackedTasks); n > 0 {
result = make([]mesos.TaskInfo, 0, n)
for k := range state.unackedTasks {
result = append(result, state.unackedTasks[k])
}
}
return
}
// unacknowledgedUpdates generates the value of the UnacknowledgedUpdates field of a Subscribe call.
func unacknowledgedUpdates(state *internalState) (result []executor.Call_Update) {
if n := len(state.unackedUpdates); n > 0 {
result = make([]executor.Call_Update, 0, n)
for k := range state.unackedUpdates {
result = append(result, state.unackedUpdates[k])
}
}
return
}
func eventLoop(state *internalState, decoder encoding.Decoder, h events.Handler) (err error) {
log.Println("listening for events from agent...")
ctx := context.TODO()
for err == nil && !state.shouldQuit {
// housekeeping
sendFailedTasks(state)
var e executor.Event
if err = decoder.Decode(&e); err == nil {
err = h.HandleEvent(ctx, &e)
}
}
return err
}
func buildEventHandler(state *internalState) events.Handler {
return events.HandlerFuncs{
executor.Event_SUBSCRIBED: func(_ context.Context, e *executor.Event) error {
log.Println("SUBSCRIBED")
state.framework = e.Subscribed.FrameworkInfo
state.executor = e.Subscribed.ExecutorInfo
state.agent = e.Subscribed.AgentInfo
return nil
},
executor.Event_LAUNCH: func(_ context.Context, e *executor.Event) error {
launch(state, e.Launch.Task)
return nil
},
executor.Event_KILL: func(_ context.Context, e *executor.Event) error {
log.Println("warning: KILL not implemented")
return nil
},
executor.Event_ACKNOWLEDGED: func(_ context.Context, e *executor.Event) error {
delete(state.unackedTasks, e.Acknowledged.TaskID)
delete(state.unackedUpdates, string(e.Acknowledged.UUID))
return nil
},
executor.Event_MESSAGE: func(_ context.Context, e *executor.Event) error {
log.Printf("MESSAGE: received %d bytes of message data", len(e.Message.Data))
return nil
},
executor.Event_SHUTDOWN: func(_ context.Context, e *executor.Event) error {
log.Println("SHUTDOWN received")
state.shouldQuit = true
return nil
},
executor.Event_ERROR: func(_ context.Context, e *executor.Event) error {
log.Println("ERROR received")
return errMustAbort
},
}.Otherwise(func(_ context.Context, e *executor.Event) error {
log.Fatal("unexpected event", e)
return nil
})
}
func sendFailedTasks(state *internalState) {
for taskID, status := range state.failedTasks {
updateErr := update(state, status)
if updateErr != nil {
log.Printf("failed to send status update for task %s: %+v", taskID.Value, updateErr)
} else {
delete(state.failedTasks, taskID)
}
}
}
func launch(state *internalState, task mesos.TaskInfo) {
state.unackedTasks[task.TaskID] = task
// send RUNNING
status := newStatus(state, task.TaskID)
status.State = mesos.TASK_RUNNING.Enum()
err := update(state, status)
if err != nil {
log.Printf("failed to send TASK_RUNNING for task %s: %+v", task.TaskID.Value, err)
status.State = mesos.TASK_FAILED.Enum()
status.Message = protoString(err.Error())
state.failedTasks[task.TaskID] = status
return
}
// send FINISHED
status = newStatus(state, task.TaskID)
status.State = mesos.TASK_FINISHED.Enum()
err = update(state, status)
if err != nil {
log.Printf("failed to send TASK_FINISHED for task %s: %+v", task.TaskID.Value, err)
status.State = mesos.TASK_FAILED.Enum()
status.Message = protoString(err.Error())
state.failedTasks[task.TaskID] = status
}
}
// helper func to package strings up nicely for protobuf
// NOTE(jdef): if we need any more proto funcs like this, just import the
// proto package and use those.
func protoString(s string) *string { return &s }
func update(state *internalState, status mesos.TaskStatus) error {
upd := calls.Update(status)
resp, err := state.cli.Send(context.TODO(), calls.NonStreaming(upd))
if resp != nil {
resp.Close()
}
if err != nil {
log.Printf("failed to send update: %+v", err)
debugJSON(upd)
} else {
state.unackedUpdates[string(status.UUID)] = *upd.Update
}
return err
}
func newStatus(state *internalState, id mesos.TaskID) mesos.TaskStatus {
return mesos.TaskStatus{
TaskID: id,
Source: mesos.SOURCE_EXECUTOR.Enum(),
ExecutorID: &state.executor.ExecutorID,
UUID: []byte(uuid.NewRandom()),
}
}
type internalState struct {
cli calls.Sender
cfg config.Config
framework mesos.FrameworkInfo
executor mesos.ExecutorInfo
agent mesos.AgentInfo
unackedTasks map[mesos.TaskID]mesos.TaskInfo
unackedUpdates map[string]executor.Call_Update
failedTasks map[mesos.TaskID]mesos.TaskStatus // send updates for these as we can
shouldQuit bool
}
|