-
Notifications
You must be signed in to change notification settings - Fork 405
/
agent.go
1433 lines (1225 loc) · 42.8 KB
/
agent.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
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
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
package agent
import (
"bytes"
"context"
"errors"
"fmt"
"io"
"net"
"net/http"
"os"
"path/filepath"
"strings"
"sync"
"time"
"github.com/fnproject/fn/api/agent/drivers"
dockerdriver "github.com/fnproject/fn/api/agent/drivers/docker"
driver_stats "github.com/fnproject/fn/api/agent/drivers/stats"
"github.com/fnproject/fn/api/common"
"github.com/fnproject/fn/api/id"
"github.com/fnproject/fn/api/models"
"github.com/fnproject/fn/fnext"
"github.com/fsnotify/fsnotify"
docker "github.com/fsouza/go-dockerclient"
"github.com/sirupsen/logrus"
"go.opencensus.io/plugin/ochttp"
"go.opencensus.io/stats"
"go.opencensus.io/tag"
"go.opencensus.io/trace"
"go.opencensus.io/trace/propagation"
)
const (
pauseTimeout = 5 * time.Second // docker pause/unpause
)
// Agent exposes an api to create calls from various parameters and then submit
// those calls, it also exposes a 'safe' shutdown mechanism via its Close method.
// Agent has a few roles:
// * manage the memory pool for a given server
// * manage the container lifecycle for calls
// * execute calls against containers
// * invoke Start and End for each call appropriately
//
// Overview:
// Upon submission of a call, Agent will start the call's timeout timer
// immediately. If the call is hot, Agent will attempt to find an active hot
// container for that route, and if necessary launch another container. calls
// will be able to read/write directly from/to a socket in the container. If
// it's necessary to launch a container, first an attempt will be made to try
// to reserve the ram required while waiting for any hot 'slot' to become
// available [if applicable]. If there is an error launching the container, an
// error will be returned provided the call has not yet timed out or found
// another hot 'slot' to execute in [if applicable]. call.Start will be called
// immediately before sending any input to a container. call.End will be called
// regardless of the timeout timer's status if the call was executed, and that
// error returned may be returned from Submit.
type Agent interface {
// GetCall will return a Call that is executable by the Agent, which
// can be built via various CallOpt's provided to the method.
GetCall(...CallOpt) (Call, error)
// Submit will attempt to execute a call locally, a Call may store information
// about itself in its Start and End methods, which will be called in Submit
// immediately before and after the Call is executed, respectively. An error
// will be returned if there is an issue executing the call or the error
// may be from the call's execution itself (if, say, the container dies,
// or the call times out).
Submit(Call) error
// Close will wait for any outstanding calls to complete and then exit.
// Closing the agent will invoke Close on the underlying DataAccess.
// Close is not safe to be called from multiple threads.
io.Closer
AddCallListener(fnext.CallListener)
}
type agent struct {
cfg Config
callListeners []fnext.CallListener
driver drivers.Driver
slotMgr *slotQueueMgr
evictor Evictor
// track usage
resources ResourceTracker
// used to track running calls / safe shutdown
shutWg *common.WaitGroup
shutonce sync.Once
// TODO(reed): shoot this fucking thing
callOverrider CallOverrider
// additional options to configure each call
callOpts []CallOpt
// deferred actions to call at end of initialisation
onStartup []func()
}
// Option configures an agent at startup
type Option func(*agent) error
// RegistryToken is a reserved call extensions key to pass registry token
/* #nosec */
const RegistryToken = "FN_REGISTRY_TOKEN"
// New creates an Agent that executes functions locally as Docker containers.
func New(options ...Option) Agent {
cfg, err := NewConfig()
if err != nil {
logrus.WithError(err).Fatalf("error in agent config cfg=%+v", cfg)
}
a := &agent{
cfg: *cfg,
}
a.shutWg = common.NewWaitGroup()
a.slotMgr = NewSlotQueueMgr()
a.evictor = NewEvictor()
// Allow overriding config
for _, option := range options {
err = option(a)
if err != nil {
logrus.WithError(err).Fatal("error in agent options")
}
}
logrus.Infof("agent starting cfg=%+v", a.cfg)
if a.driver == nil {
d, err := NewDockerDriver(&a.cfg)
if err != nil {
logrus.WithError(err).Fatal("failed to create docker driver ")
}
a.driver = d
}
a.resources = NewResourceTracker(&a.cfg)
for _, sup := range a.onStartup {
sup()
}
return a
}
func (a *agent) addStartup(sup func()) {
a.onStartup = append(a.onStartup, sup)
}
// WithConfig sets the agent config to the provided config
func WithConfig(cfg *Config) Option {
return func(a *agent) error {
a.cfg = *cfg
return nil
}
}
// WithDockerDriver Provides a customer driver to agent
func WithDockerDriver(drv drivers.Driver) Option {
return func(a *agent) error {
if a.driver != nil {
return errors.New("cannot add driver to agent, driver already exists")
}
a.driver = drv
return nil
}
}
// WithCallOverrider registers register a CallOverrider to modify a Call and extensions on call construction
func WithCallOverrider(fn CallOverrider) Option {
return func(a *agent) error {
if a.callOverrider != nil {
return errors.New("lb-agent call overriders already exists")
}
a.callOverrider = fn
return nil
}
}
// WithCallOptions adds additional call options to each call created from GetCall, these
// options will be executed after any other options supplied to GetCall
func WithCallOptions(opts ...CallOpt) Option {
return func(a *agent) error {
a.callOpts = append(a.callOpts, opts...)
return nil
}
}
// NewDockerDriver creates a default docker driver from agent config
func NewDockerDriver(cfg *Config) (drivers.Driver, error) {
return drivers.New("docker", drivers.Config{
DockerNetworks: cfg.DockerNetworks,
DockerLoadFile: cfg.DockerLoadFile,
ServerVersion: cfg.MinDockerVersion,
PreForkPoolSize: cfg.PreForkPoolSize,
PreForkImage: cfg.PreForkImage,
PreForkCmd: cfg.PreForkCmd,
PreForkUseOnce: cfg.PreForkUseOnce,
PreForkNetworks: cfg.PreForkNetworks,
MaxTmpFsInodes: cfg.MaxTmpFsInodes,
EnableReadOnlyRootFs: !cfg.DisableReadOnlyRootFs,
ContainerLabelTag: cfg.ContainerLabelTag,
ImageCleanMaxSize: cfg.ImageCleanMaxSize,
ImageCleanExemptTags: cfg.ImageCleanExemptTags,
ImageEnableVolume: cfg.ImageEnableVolume,
})
}
func (a *agent) Close() error {
var err error
// wait for ongoing sessions
a.shutWg.CloseGroup()
a.shutonce.Do(func() {
// now close docker layer
if a.driver != nil {
err = a.driver.Close()
}
})
return err
}
func (a *agent) Submit(callI Call) error {
call := callI.(*call)
ctx := call.req.Context()
callIDKey, err := tag.NewKey("agent.call_id")
if err != nil {
return err
}
ctx, err = tag.New(ctx, tag.Insert(callIDKey, call.ID))
if err != nil {
return err
}
ctx, span := trace.StartSpan(ctx, "agent_submit")
defer span.End()
span.AddAttributes(trace.StringAttribute("agent.call_id", call.ID))
return a.submit(ctx, call)
}
func (a *agent) startStateTrackers(ctx context.Context, call *call) {
call.requestState = NewRequestState()
}
func (a *agent) endStateTrackers(ctx context.Context, call *call) {
call.requestState.UpdateState(ctx, RequestStateDone, call.slots)
}
func (a *agent) submit(ctx context.Context, call *call) error {
statsCalls(ctx)
if !a.shutWg.AddSession(1) {
statsTooBusy(ctx)
return models.ErrCallTimeoutServerBusy
}
defer a.shutWg.DoneSession()
statsEnqueue(ctx)
a.startStateTrackers(ctx, call)
defer a.endStateTrackers(ctx, call)
slot, err := a.getSlot(ctx, call)
if err != nil {
return a.handleCallEnd(ctx, call, slot, err, false)
}
err = call.Start(ctx)
if err != nil {
return a.handleCallEnd(ctx, call, slot, err, false)
}
statsDequeue(ctx)
statsStartRun(ctx)
// We are about to execute the function, set container Exec Deadline (call.Timeout)
slotCtx, cancel := context.WithTimeout(ctx, time.Duration(call.Timeout)*time.Second)
defer cancel()
// Pass this error (nil or otherwise) to end directly, to store status, etc.
err = slot.exec(slotCtx, call)
return a.handleCallEnd(ctx, call, slot, err, true)
}
func (a *agent) handleCallEnd(ctx context.Context, call *call, slot Slot, err error, isStarted bool) error {
if slot != nil {
slot.Close()
}
// This means call was routed (executed)
if isStarted {
call.End(ctx, err)
statsStopRun(ctx)
if err == nil {
statsComplete(ctx)
} else if err == context.DeadlineExceeded {
statsTimedout(ctx)
return models.ErrCallTimeout
}
} else {
statsDequeue(ctx)
if err == models.ErrCallTimeoutServerBusy || err == context.DeadlineExceeded {
statsTooBusy(ctx)
return models.ErrCallTimeoutServerBusy
}
}
if err == context.Canceled {
statsCanceled(ctx)
} else if err != nil {
statsErrors(ctx)
}
return err
}
// getSlot returns a Slot (or error) for the request to run. This will wait
// for other containers to become idle or it may wait for resources to become
// available to launch a new container.
func (a *agent) getSlot(ctx context.Context, call *call) (Slot, error) {
ctx, span := trace.StartSpan(ctx, "agent_get_slot")
defer span.End()
// For hot requests, we use a long lived slot queue, which we use to manage hot containers
var isNew bool
if call.slotHashId == "" {
call.slotHashId = getSlotQueueKey(call)
}
call.slots, isNew = a.slotMgr.getSlotQueue(call.slotHashId)
call.requestState.UpdateState(ctx, RequestStateWait, call.slots)
// setup slot caller with a ctx that gets cancelled once waitHot() is completed.
// This allows runHot() to detect if original caller has been serviced by
// another container or if original caller was disconnected.
caller := &slotCaller{}
{
ctx, cancel := context.WithCancel(ctx)
defer cancel()
caller.done = ctx.Done()
caller.notify = make(chan error)
}
if isNew {
go a.hotLauncher(ctx, call, caller)
}
s, err := a.waitHot(ctx, call, caller)
return s, err
}
// hotLauncher is spawned in a go routine for each slot queue to monitor stats and launch hot
// containers if needed. Upon shutdown or activity timeout, hotLauncher exits and during exit,
// it destroys the slot queue.
func (a *agent) hotLauncher(ctx context.Context, call *call, caller *slotCaller) {
// Let use 60 minutes or 2 * IdleTimeout as hot queue idle timeout, pick
// whichever is longer. If in this time, there's no activity, then
// we destroy the hot queue.
timeout := a.cfg.HotLauncherTimeout
idleTimeout := time.Duration(call.IdleTimeout) * time.Second * 2
if timeout < idleTimeout {
timeout = idleTimeout
}
logger := common.Logger(ctx)
logger.WithField("launcher_timeout", timeout).Debug("Hot function launcher starting")
// IMPORTANT: get a context that has a child span / logger but NO timeout
// TODO this is a 'FollowsFrom'
ctx = common.BackgroundContext(ctx)
ctx, span := trace.StartSpan(ctx, "agent_hot_launcher")
defer span.End()
for {
ctx, cancel := context.WithTimeout(ctx, timeout)
a.checkLaunch(ctx, call, *caller)
select {
case <-a.shutWg.Closer(): // server shutdown
cancel()
return
case <-ctx.Done(): // timed out
cancel()
if a.slotMgr.deleteSlotQueue(call.slots) {
logger.Debug("Hot function launcher timed out")
return
}
case caller = <-call.slots.signaller:
cancel()
}
}
}
func tryNotify(notifyChan chan error, err error) {
if notifyChan != nil && err != nil {
select {
case notifyChan <- err:
default:
}
}
}
func (a *agent) checkLaunch(ctx context.Context, call *call, caller slotCaller) {
curStats := call.slots.getStats()
isNB := a.cfg.EnableNBResourceTracker
if !isNewContainerNeeded(&curStats) {
return
}
state := NewContainerState()
state.UpdateState(ctx, ContainerStateWait, call)
mem := call.Memory + uint64(call.TmpFsSize)
var notifyChans []chan struct{}
var tok ResourceToken
// WARNING: Tricky flow below. We are here because: isNewContainerNeeded is true,
// in other words, we need to launch a new container at this time due to high load.
//
// For non-blocking mode, this means, if we cannot acquire resources (cpu+mem), then we need
// to notify the caller through notifyChan. This is not perfect as the callers and
// checkLaunch do not match 1-1. But this is OK, we can notify *any* waiter that
// has signalled us, this is because non-blocking mode is a system wide setting.
// The notifications are lossy, but callers will signal/poll again if this is the case
// or this may not matter if they've already acquired an empty slot.
//
// For Non-blocking mode, a.cfg.HotPoll should not be set to too high since a missed
// notify event from here will add a.cfg.HotPoll msec latency. Setting a.cfg.HotPoll may
// be an acceptable workaround for the short term since non-blocking mode likely to reduce
// the number of waiters which perhaps could compensate for more frequent polling.
//
// Non-blocking mode only applies to cpu+mem, and if isNewContainerNeeded decided that we do not
// need to start a new container, then waiters will wait.
select {
case tok = <-a.resources.GetResourceToken(ctx, mem, call.CPUs, isNB):
case <-time.After(a.cfg.HotPoll):
// Request routines are polling us with this a.cfg.HotPoll frequency. We can use this
// same timer to assume that we waited for cpu/mem long enough. Let's try to evict an
// idle container. We do this by submitting a non-blocking request and evicting required
// amount of resources.
select {
case tok = <-a.resources.GetResourceToken(ctx, mem, call.CPUs, true):
case <-ctx.Done(): // timeout
case <-a.shutWg.Closer(): // server shutdown
}
case <-ctx.Done(): // timeout
case <-a.shutWg.Closer(): // server shutdown
}
if tok != nil {
if tok.Error() != nil {
if tok.Error() != CapacityFull {
tryNotify(caller.notify, tok.Error())
} else {
needMem, needCpu := tok.NeededCapacity()
notifyChans = a.evictor.PerformEviction(call.slotHashId, needMem, uint64(needCpu))
// For Non-blocking mode, if there's nothing to evict, we emit 503.
if len(notifyChans) == 0 && isNB {
tryNotify(caller.notify, models.ErrCallTimeoutServerBusy)
}
}
} else if a.shutWg.AddSession(1) {
go func() {
// NOTE: runHot will not inherit the timeout from ctx (ignore timings)
a.runHot(ctx, caller, call, tok, state)
a.shutWg.DoneSession()
}()
// early return (do not allow container state to switch to ContainerStateDone)
return
}
statsUtilization(ctx, a.resources.GetUtilization())
tok.Close()
}
defer state.UpdateState(ctx, ContainerStateDone, call)
// IMPORTANT: we wait here for any possible evictions to finalize. Otherwise
// hotLauncher could call checkLaunch again and cause a capacity full (http 503)
// error.
for _, wait := range notifyChans {
select {
case <-wait:
case <-ctx.Done(): // timeout
return
case <-a.shutWg.Closer(): // server shutdown
return
}
}
}
// waitHot pings and waits for a hot container from the slot queue
func (a *agent) waitHot(ctx context.Context, call *call, caller *slotCaller) (Slot, error) {
ctx, span := trace.StartSpan(ctx, "agent_wait_hot")
defer span.End()
ctx, cancel := context.WithCancel(ctx)
defer cancel() // shut down dequeuer if we grab a slot
ch := call.slots.startDequeuer(ctx)
// 1) if we can get a slot immediately, grab it.
// 2) if we don't, send a signaller every x msecs until we do.
sleep := 1 * time.Microsecond // pad, so time.After doesn't send immediately
for {
select {
case err := <-caller.notify:
return nil, err
case s := <-ch:
if call.slots.acquireSlot(s) {
if s.slot.Error() != nil {
s.slot.Close()
return nil, s.slot.Error()
}
return s.slot, nil
}
// we failed to take ownership of the token (eg. container idle timeout) => try again
case <-ctx.Done():
return nil, ctx.Err()
case <-a.shutWg.Closer(): // server shutdown
return nil, models.ErrCallTimeoutServerBusy
case <-time.After(sleep):
// ping dequeuer again
}
// set sleep to x msecs after first iteration
sleep = a.cfg.HotPoll
// send a notification to launchHot()
select {
case call.slots.signaller <- caller:
default:
}
}
}
// implements Slot
type hotSlot struct {
done chan struct{} // signal we are done with slot
container *container // TODO mask this
cfg *Config
fatalErr error
containerSpan trace.SpanContext
}
func (s *hotSlot) Close() error {
close(s.done)
return nil
}
func (s *hotSlot) Error() error {
return s.fatalErr
}
func (s *hotSlot) trySetError(err error) {
if s.fatalErr == nil {
s.fatalErr = err
}
}
func (s *hotSlot) exec(ctx context.Context, call *call) error {
ctx, span := trace.StartSpan(ctx, "agent_hot_exec")
defer span.End()
call.requestState.UpdateState(ctx, RequestStateExec, call.slots)
// link the container id and id in the logs [for us!]
common.Logger(ctx).WithField("container_id", s.container.id).Info("starting call")
// link the container span to ours for additional context (start/freeze/etc.)
span.AddLink(trace.Link{
TraceID: s.containerSpan.TraceID,
SpanID: s.containerSpan.SpanID,
Type: trace.LinkTypeChild,
})
call.req = call.req.WithContext(ctx) // TODO this is funny biz reed is bad
err := s.container.BeforeCall(ctx, call.Model(), call.Extensions())
if err != nil {
return err
}
err = s.dispatch(ctx, call)
err2 := s.container.AfterCall(ctx, call.Model(), call.Extensions())
if err == nil {
err = err2
}
return err
}
var removeHeaders = map[string]bool{
"connection": true,
"keep-alive": true,
"trailer": true,
"transfer-encoding": true,
"te": true,
"upgrade": true,
"authorization": true,
}
func createUDSRequest(ctx context.Context, call *call) *http.Request {
req, err := http.NewRequest("POST", "http://localhost/call", call.req.Body)
if err != nil {
common.Logger(ctx).WithError(err).Error("somebody put a bad url in the call http request. 10 lashes.")
panic(err)
}
// Set the context on the request to make sure transport and client handle
// it properly and close connections at the end, e.g. when using UDS.
req = req.WithContext(ctx)
req.Header = make(http.Header)
for k, vs := range call.req.Header {
if !removeHeaders[strings.ToLower(k)] {
for _, v := range vs {
req.Header.Add(k, v)
}
}
}
req.Header.Set("Fn-Call-Id", call.ID)
deadline, ok := ctx.Deadline()
if ok {
deadlineStr := deadline.Format(time.RFC3339)
req.Header.Set("Fn-Deadline", deadlineStr)
}
return req
}
func (s *hotSlot) dispatch(ctx context.Context, call *call) error {
ctx, span := trace.StartSpan(ctx, "agent_dispatch_httpstream")
defer span.End()
// TODO it's possible we can get rid of this (after getting rid of logs API) - may need for call id/debug mode still
// TODO there's a timeout race for swapping this back if the container doesn't get killed for timing out, and don't you forget it
swapBack := s.container.swap(call.stderr, &call.Stats)
defer swapBack()
req := createUDSRequest(ctx, call)
var resp *http.Response
var err error
{ // don't leak ctx scope
ctx, span := trace.StartSpan(ctx, "agent_dispatch_uds_do")
req = req.WithContext(ctx)
resp, err = s.container.udsClient.Do(req)
span.End()
}
if err != nil {
// IMPORTANT: Container contract: If http-uds errors/timeout, container cannot continue
s.trySetError(err)
// first filter out timeouts
if ctx.Err() == context.DeadlineExceeded {
return context.DeadlineExceeded
}
if strings.Contains(err.Error(), "server response headers exceeded ") {
return models.ErrFunctionResponseHdrTooBig
}
return models.ErrFunctionResponse
}
defer resp.Body.Close()
common.Logger(ctx).WithField("resp", resp).Debug("Got resp from UDS socket")
ioErrChan := make(chan error, 1)
go func() {
ioErrChan <- s.writeResp(ctx, s.cfg.MaxResponseSize, resp, call.respWriter)
}()
select {
case ioErr := <-ioErrChan:
return ioErr
case <-ctx.Done():
if ctx.Err() == context.DeadlineExceeded {
// IMPORTANT: Container contract: If http-uds timeout, container cannot continue
s.trySetError(ctx.Err())
}
return ctx.Err()
}
}
func (s *hotSlot) writeResp(ctx context.Context, max uint64, resp *http.Response, w io.Writer) error {
rw, ok := w.(http.ResponseWriter)
if !ok {
// TODO(reed): this is strange, we should just enforce the response writer type?
w = common.NewClampWriter(w, max, models.ErrFunctionResponseTooBig)
return resp.Write(w)
}
// IMPORTANT: Container contract: Enforce 200/502/504 expections
switch resp.StatusCode {
case http.StatusOK:
// FDK processed the request OK
case http.StatusBadGateway:
// FDK detected failure, container can continue
return models.ErrFunctionFailed
case http.StatusGatewayTimeout:
// FDK detected timeout, respond as if ctx expired, this gets translated & handled in handleCallEnd()
return context.DeadlineExceeded
default:
// Any other code. Possible FDK failure. We shutdown the container
s.trySetError(fmt.Errorf("FDK Error, invalid status code %d", resp.StatusCode))
return models.ErrFunctionInvalidResponse
}
rw = newSizerRespWriter(max, rw)
// WARNING: is the following header copy safe?
// if we're writing directly to the response writer, we need to set headers
// and only copy the body. resp.Write would copy a full
// http request into the response body (not what we want).
for k, vs := range resp.Header {
for _, v := range vs {
rw.Header().Add(k, v)
}
}
rw.WriteHeader(http.StatusOK)
_, ioErr := io.Copy(rw, resp.Body)
return ioErr
}
// XXX(reed): this is a remnant of old io.pipe plumbing, we need to get rid of
// the buffers from the front-end in actuality, but only after removing other formats... so here, eat this
type sizerRespWriter struct {
http.ResponseWriter
w io.Writer
}
var _ http.ResponseWriter = new(sizerRespWriter)
func newSizerRespWriter(max uint64, rw http.ResponseWriter) http.ResponseWriter {
return &sizerRespWriter{
ResponseWriter: rw,
w: common.NewClampWriter(rw, max, models.ErrFunctionResponseTooBig),
}
}
func (s *sizerRespWriter) Write(b []byte) (int, error) { return s.w.Write(b) }
// Try to queue an error to the error channel if possible.
func tryQueueErr(err error, ch chan error) error {
if err != nil {
select {
case ch <- err:
default:
}
}
return err
}
func (a *agent) runHot(ctx context.Context, caller slotCaller, call *call, tok ResourceToken, state ContainerState) {
// IMPORTANT: get a context that has a child span / logger but NO timeout
// TODO this is a 'FollowsFrom'
ctx = common.BackgroundContext(ctx)
ctx, span := trace.StartSpan(ctx, "agent_run_hot")
defer span.End()
var childDone chan struct{} // if not nil, a closed channel means child go-routine is done
var container *container
var cookie drivers.Cookie
var err error
id := id.New().String()
logger := logrus.WithFields(logrus.Fields{"container_id": id, "app_id": call.AppID, "fn_id": call.FnID, "image": call.Image, "memory": call.Memory, "cpus": call.CPUs, "idle_timeout": call.IdleTimeout})
ctx, cancel := context.WithCancel(common.WithLogger(ctx, logger))
initialized := make(chan struct{}) // when closed, container is ready to handle requests
udsWait := make(chan error, 1) // track UDS state and errors
errQueue := make(chan error, 1) // errors to be reflected back to the slot queue
statsUtilization(ctx, a.resources.GetUtilization())
state.UpdateState(ctx, ContainerStateStart, call)
// stack unwind spelled out with strict ordering below.
defer func() {
select {
case <-initialized:
default:
tryQueueErr(models.ErrContainerInitFail, errQueue)
}
select {
case err := <-errQueue:
call.slots.queueSlot(&hotSlot{done: make(chan struct{}), fatalErr: err})
default:
}
// shutdown the container and related I/O operations and go routines
cancel()
// IMPORTANT: for release cookie (remove container), make sure ctx below has no timeout.
if cookie != nil {
cookie.Close(common.BackgroundContext(ctx))
}
if container != nil {
// if there was a child, then let's wait for it, this avoids container.Close()
// synchronization issues since child may still be modifying the container.
if childDone != nil {
<-childDone
}
container.Close()
}
tok.Close() // release cpu/mem
state.UpdateState(ctx, ContainerStateDone, call)
statsUtilization(ctx, a.resources.GetUtilization())
}()
// Monitor initialization. Closes 'initialized' channel
// to hand over the processing to main request processing go-routine
go func() {
for {
select {
case err := <-udsWait:
if tryQueueErr(err, errQueue) != nil {
cancel()
} else {
close(initialized)
}
return
case <-ctx.Done(): // container shutdown
return
case <-a.shutWg.Closer(): // agent shutdown
cancel()
return
}
}
}()
container = newHotContainer(ctx, a.evictor, call, &a.cfg, id, udsWait)
if container == nil {
return
}
cookie, err = a.driver.CreateCookie(ctx, container)
if tryQueueErr(err, errQueue) != nil {
return
}
needsPull, err := cookie.ValidateImage(ctx)
if needsPull {
pullCtx, pullCancel := context.WithTimeout(ctx, a.cfg.HotPullTimeout)
err = cookie.PullImage(pullCtx)
pullCancel()
if err != nil && pullCtx.Err() == context.DeadlineExceeded {
err = models.ErrDockerPullTimeout
}
if tryQueueErr(err, errQueue) == nil {
needsPull, err = cookie.ValidateImage(ctx) // uses original ctx timeout
if needsPull {
// Image must have removed by image cleaner, manual intervention, etc.
err = models.ErrCallTimeoutServerBusy
}
}
}
if tryQueueErr(err, errQueue) != nil {
return
}
err = cookie.CreateContainer(ctx)
if tryQueueErr(err, errQueue) != nil {
return
}
waiter, err := cookie.Run(ctx)
if tryQueueErr(err, errQueue) != nil {
return
}
childDone = make(chan struct{})
// Main request processing go-routine
go func() {
defer close(childDone)
defer cancel() // also close if we get an agent shutdown / idle timeout
// We record init wait for three basic states below: "initialized", "canceled", "timedout"
// Notice how we do not distinguish between agent-shutdown, eviction, ctx.Done, etc. This is
// because monitoring go-routine may pick these events earlier and cancel the ctx.
initStart := time.Now()
// INIT BARRIER HERE. Wait for the initialization go-routine signal
select {
case <-initialized:
statsContainerUDSInitLatency(ctx, initStart, time.Now(), "initialized")
case <-a.shutWg.Closer(): // agent shutdown
statsContainerUDSInitLatency(ctx, initStart, time.Now(), "canceled")
return
case <-ctx.Done():
statsContainerUDSInitLatency(ctx, initStart, time.Now(), "canceled")
return
case <-time.After(a.cfg.HotStartTimeout):
statsContainerUDSInitLatency(ctx, initStart, time.Now(), "timedout")
tryQueueErr(models.ErrContainerInitTimeout, errQueue)
return
}
for ctx.Err() == nil {
slot := &hotSlot{
done: make(chan struct{}),
container: container,
cfg: &a.cfg,
containerSpan: trace.FromContext(ctx).SpanContext(),
}
if !a.runHotReq(ctx, call, state, logger, cookie, slot, container) {
return
}
// wait for this call to finish
// NOTE do NOT select with shutdown / other channels. slot handles this.
<-slot.done
if slot.fatalErr != nil {
logger.WithError(slot.fatalErr).Info("hot function terminating")
return
}
}
}()
runRes := waiter.Wait(ctx)
if runRes != nil && runRes.Error() != context.Canceled {
logger.WithError(runRes.Error()).Info("hot function terminated")
}
}
//checkSocketDestination verifies that the socket file created by the FDK is valid and permitted - notably verifying that any symlinks are relative to the socket dir
func checkSocketDestination(filename string) error {
finfo, err := os.Lstat(filename)
if err != nil {
return fmt.Errorf("error statting unix socket link file %s", err)
}
if (finfo.Mode() & os.ModeSymlink) > 0 {
linkDest, err := os.Readlink(filename)
if err != nil {
return fmt.Errorf("error reading unix socket symlink destination %s", err)
}
if filepath.Dir(linkDest) != "." {
return fmt.Errorf("invalid unix socket symlink, symlinks must be relative within the unix socket directory")
}
}
// stat the absolute path and check it is a socket
absInfo, err := os.Stat(filename)
if err != nil {
return fmt.Errorf("unable to stat unix socket file %s", err)
}
if absInfo.Mode()&os.ModeSocket == 0 {
return fmt.Errorf("listener file is not a socket")
}
return nil
}
func inotifyAwait(ctx context.Context, iofsDir string, udsWait chan error) {
ctx, span := trace.StartSpan(ctx, "inotify_await")
defer span.End()
logger := common.Logger(ctx)
// Here we create the fs notify (inotify) synchronously and once that is
// setup, then fork off our async go-routine. Basically fsnotify should be enabled
// before we launch the container in order not to miss any events.
fsWatcher, err := fsnotify.NewWatcher()
if err != nil {
udsWait <- fmt.Errorf("error getting fsnotify watcher: %v", err)
return
}
err = fsWatcher.Add(iofsDir)
if err != nil {
if err := fsWatcher.Close(); err != nil {
logger.WithError(err).Error("Failed to close inotify watcher")
}
udsWait <- fmt.Errorf("error adding iofs dir to fswatcher: %v", err)
return
}
go func() {
ctx, span := trace.StartSpan(ctx, "inotify_await_poller")