forked from firecracker-microvm/firecracker-go-sdk
-
Notifications
You must be signed in to change notification settings - Fork 0
/
machine.go
1263 lines (1050 loc) · 35.7 KB
/
machine.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
// Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
//
// Licensed under the Apache License, Version 2.0 (the "License"). You may
// not use this file except in compliance with the License. A copy of the
// License is located at
//
// http://aws.amazon.com/apache2.0/
//
// or in the "license" file accompanying this file. This file is distributed
// on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
// express or implied. See the License for the specific language governing
// permissions and limitations under the License.
package firecracker
import (
"context"
"encoding/json"
"errors"
"fmt"
"io"
"net"
"os"
"os/exec"
"os/signal"
"path/filepath"
"runtime"
"strconv"
"strings"
"sync"
"syscall"
"time"
"github.com/containerd/fifo"
"github.com/containernetworking/plugins/pkg/ns"
"github.com/google/uuid"
"github.com/hashicorp/go-multierror"
log "github.com/sirupsen/logrus"
models "github.com/firecracker-microvm/firecracker-go-sdk/client/models"
)
const (
userAgent = "firecracker-go-sdk"
// as specified in http://man7.org/linux/man-pages/man8/ip-netns.8.html
defaultNetNSDir = "/var/run/netns"
// env name to make firecracker init timeout configurable
firecrackerInitTimeoutEnv = "FIRECRACKER_GO_SDK_INIT_TIMEOUT_SECONDS"
defaultFirecrackerInitTimeoutSeconds = 3
)
// SeccompConfig contains seccomp settings for firecracker vmm
type SeccompConfig struct {
// Enabled turns on/off the seccomp filters
Enabled bool
// Filter is a file path that contains user-provided custom filter
Filter string
}
// ErrAlreadyStarted signifies that the Machine has already started and cannot
// be started again.
var ErrAlreadyStarted = errors.New("firecracker: machine already started")
// ErrGraceShutdown signifies that the Machine will shutdown gracefully and SendCtrlAltDelete is unable to send
//var ErrGraceShutdown = errors.New("Shutdown gracefully: SendCtrlAltDelete is not supported if the arch is ARM64")
type MMDSVersion string
const (
MMDSv1 = MMDSVersion("V1")
MMDSv2 = MMDSVersion("V2")
)
// Config is a collection of user-configurable VMM settings
type Config struct {
// SocketPath defines the file path where the Firecracker control socket
// should be created.
SocketPath string
// LogPath defines the file path where the Firecracker log is located.
LogPath string
// LogFifo defines the file path where the Firecracker log named-pipe should
// be located.
LogFifo string
// LogLevel defines the verbosity of Firecracker logging. Valid values are
// "Error", "Warning", "Info", and "Debug", and are case-sensitive.
LogLevel string
// MetricsPath defines the file path where the Firecracker metrics
// is located.
MetricsPath string
// MetricsFifo defines the file path where the Firecracker metrics
// named-pipe should be located.
MetricsFifo string
// KernelImagePath defines the file path where the kernel image is located.
// The kernel image must be an uncompressed ELF image.
KernelImagePath string
// InitrdPath defines the file path where initrd image is located.
//
// This parameter is optional.
InitrdPath string
// KernelArgs defines the command-line arguments that should be passed to
// the kernel.
KernelArgs string
// Drives specifies BlockDevices that should be made available to the
// microVM.
Drives []models.Drive
// NetworkInterfaces specifies the tap devices that should be made available
// to the microVM.
NetworkInterfaces NetworkInterfaces
// FifoLogWriter is an io.Writer that is used to redirect the contents of the
// fifo log to the writer.
FifoLogWriter io.Writer
// VsockDevices specifies the vsock devices that should be made available to
// the microVM.
VsockDevices []VsockDevice
// MachineCfg represents the firecracker microVM process configuration
MachineCfg models.MachineConfiguration
// DisableValidation allows for easier mock testing by disabling the
// validation of configuration performed by the SDK.
DisableValidation bool
// JailerCfg is configuration specific for the jailer process.
JailerCfg *JailerConfig
// (Optional) VMID is a unique identifier for this VM. It's set to a
// random uuid if not provided by the user. It's used to set Firecracker's instance ID.
// If CNI configuration is provided as part of NetworkInterfaces,
// the VMID is used to set CNI ContainerID and create a network namespace path.
VMID string
// NetNS represents the path to a network namespace handle. If present, the
// application will use this to join the associated network namespace
NetNS string
// ForwardSignals is an optional list of signals to catch and forward to
// firecracker. If not provided, the default signals will be used.
ForwardSignals []os.Signal
// Seccomp specifies whether seccomp filters should be installed and how
// restrictive they should be.
Seccomp SeccompConfig
// MmdsAddress is IPv4 address used by guest applications when issuing requests to MMDS.
// It is possible to use a valid IPv4 link-local address (169.254.0.0/16).
// If not provided, the default address (169.254.169.254) will be used.
MmdsAddress net.IP
// MmdsVersion is the MMDS version to use.
// If not provided, the default version (1) will be used.
MmdsVersion MMDSVersion
// Configuration for snapshot loading
Snapshot SnapshotConfig
}
func (cfg *Config) hasSnapshot() bool {
return cfg.Snapshot.GetMemBackendPath() != "" || cfg.Snapshot.SnapshotPath != ""
}
// Validate will ensure that the required fields are set and that
// the fields are valid values.
func (cfg *Config) Validate() error {
if cfg.DisableValidation {
return nil
}
if _, err := os.Stat(cfg.KernelImagePath); err != nil {
return fmt.Errorf("failed to stat kernel image path, %q: %v", cfg.KernelImagePath, err)
}
if cfg.InitrdPath != "" {
if _, err := os.Stat(cfg.InitrdPath); err != nil {
return fmt.Errorf("failed to stat initrd image path, %q: %v", cfg.InitrdPath, err)
}
}
for _, drive := range cfg.Drives {
if BoolValue(drive.IsRootDevice) {
rootPath := StringValue(drive.PathOnHost)
if _, err := os.Stat(rootPath); err != nil {
return fmt.Errorf("failed to stat host drive path, %q: %v", rootPath, err)
}
break
}
}
// Check the non-existence of some files:
if _, err := os.Stat(cfg.SocketPath); err == nil {
return fmt.Errorf("socket %s already exists", cfg.SocketPath)
}
if cfg.MachineCfg.VcpuCount == nil ||
Int64Value(cfg.MachineCfg.VcpuCount) < 1 {
return fmt.Errorf("machine needs a nonzero VcpuCount")
}
if cfg.MachineCfg.MemSizeMib == nil ||
Int64Value(cfg.MachineCfg.MemSizeMib) < 1 {
return fmt.Errorf("machine needs a nonzero amount of memory")
}
return nil
}
func (cfg *Config) ValidateLoadSnapshot() error {
if cfg.DisableValidation {
return nil
}
for _, drive := range cfg.Drives {
rootPath := StringValue(drive.PathOnHost)
if _, err := os.Stat(rootPath); err != nil {
return fmt.Errorf("failed to stat drive path, %q: %v", rootPath, err)
}
}
if _, err := os.Stat(cfg.SocketPath); err == nil {
return fmt.Errorf("socket %s already exists", cfg.SocketPath)
}
if _, err := os.Stat(cfg.Snapshot.GetMemBackendPath()); err != nil {
return err
}
if _, err := os.Stat(cfg.Snapshot.SnapshotPath); err != nil {
return err
}
return nil
}
func (cfg *Config) ValidateNetwork() error {
if cfg.DisableValidation {
return nil
}
return cfg.NetworkInterfaces.validate(parseKernelArgs(cfg.KernelArgs))
}
// Machine is the main object for manipulating Firecracker microVMs
type Machine struct {
// Handlers holds the set of handlers that are run for validation and start
Handlers Handlers
Cfg Config
client *Client
cmd *exec.Cmd
logger *log.Entry
machineConfig models.MachineConfiguration // The actual machine config as reported by Firecracker
// startOnce ensures that the machine can only be started once
startOnce sync.Once
// exitCh is a channel which gets closed when the VMM exits
exitCh chan struct{}
// fatalErr records an error that either stops or prevent starting the VMM
fatalErr error
// callbacks that should be run when the machine is being torn down
cleanupOnce sync.Once
cleanupFuncs []func() error
// cleanupCh is a channel that gets closed to notify cleanup cleanupFuncs has been called totally
cleanupCh chan struct{}
}
// Logger returns a logrus logger appropriate for logging hypervisor messages
func (m *Machine) Logger() *log.Entry {
return m.logger.WithField("subsystem", userAgent)
}
// PID returns the machine's running process PID or an error if not running
func (m *Machine) PID() (int, error) {
if m.cmd == nil || m.cmd.Process == nil {
return 0, fmt.Errorf("machine is not running")
}
select {
case <-m.exitCh:
return 0, fmt.Errorf("machine process has exited")
default:
}
return m.cmd.Process.Pid, nil
}
func (m *Machine) doCleanup() error {
var err *multierror.Error
m.cleanupOnce.Do(func() {
// run them in reverse order so changes are "unwound" (similar to defer statements)
for i := range m.cleanupFuncs {
cleanupFunc := m.cleanupFuncs[len(m.cleanupFuncs)-1-i]
err = multierror.Append(err, cleanupFunc())
}
})
return err.ErrorOrNil()
}
// RateLimiterSet represents a pair of RateLimiters (inbound and outbound)
type RateLimiterSet struct {
// InRateLimiter limits the incoming bytes.
InRateLimiter *models.RateLimiter
// OutRateLimiter limits the outgoing bytes.
OutRateLimiter *models.RateLimiter
}
// VsockDevice represents a vsock connection between the host and the guest
// microVM.
type VsockDevice struct {
// ID defines the vsock's device ID for firecracker.
ID string
// Path defines the filesystem path of the vsock device on the host.
Path string
// CID defines the 32-bit Context Identifier for the vsock device. See
// the vsock(7) manual page for more information.
CID uint32
}
// LogFile returns the filesystem path of the VMM log
func (m *Machine) LogFile() string {
return m.Cfg.LogFifo
}
// LogLevel returns the VMM log level.
func (m *Machine) LogLevel() string {
return m.Cfg.LogLevel
}
// seccompArgs constructs the seccomp related command line arguments
func seccompArgs(cfg *Config) []string {
var args []string
if !cfg.Seccomp.Enabled {
args = append(args, "--no-seccomp")
} else if len(cfg.Seccomp.Filter) > 0 {
args = append(args, "--seccomp-filter", cfg.Seccomp.Filter)
}
return args
}
func configureBuilder(builder VMCommandBuilder, cfg Config) VMCommandBuilder {
return builder.
WithSocketPath(cfg.SocketPath).
AddArgs("--id", cfg.VMID).
AddArgs(seccompArgs(&cfg)...)
}
// NewMachine initializes a new Machine instance and performs validation of the
// provided Config.
func NewMachine(ctx context.Context, cfg Config, opts ...Opt) (*Machine, error) {
m := &Machine{
exitCh: make(chan struct{}),
cleanupCh: make(chan struct{}),
}
if cfg.VMID == "" {
id, err := uuid.NewRandom()
if err != nil {
return nil, fmt.Errorf("failed to create random ID for VMID: %w", err)
}
cfg.VMID = id.String()
}
m.Handlers = defaultHandlers
if cfg.JailerCfg != nil {
m.Handlers.Validation = m.Handlers.Validation.Append(JailerConfigValidationHandler)
if err := jail(ctx, m, &cfg); err != nil {
return nil, err
}
} else {
m.Handlers.Validation = m.Handlers.Validation.Append(ConfigValidationHandler)
m.cmd = configureBuilder(defaultFirecrackerVMMCommandBuilder, cfg).Build(ctx)
}
if m.logger == nil {
logger := log.New()
m.logger = log.NewEntry(logger)
}
if m.client == nil {
m.client = NewClient(cfg.SocketPath, m.logger, false)
}
if cfg.ForwardSignals == nil {
cfg.ForwardSignals = []os.Signal{
os.Interrupt,
syscall.SIGQUIT,
syscall.SIGTERM,
syscall.SIGHUP,
syscall.SIGABRT,
}
}
m.machineConfig = cfg.MachineCfg
m.Cfg = cfg
if cfg.NetNS == "" && cfg.NetworkInterfaces.cniInterface() != nil {
m.Cfg.NetNS = m.defaultNetNSPath()
}
for _, opt := range opts {
opt(m)
}
m.logger.Debug("Called NewMachine()")
return m, nil
}
// Start actually start a Firecracker microVM.
// The context must not be cancelled while the microVM is running.
//
// It will iterate through the handler list and call each handler. If an
// error occurred during handler execution, that error will be returned. If the
// handlers succeed, then this will start the VMM instance.
// Start may only be called once per Machine. Subsequent calls will return
// ErrAlreadyStarted.
func (m *Machine) Start(ctx context.Context) error {
m.logger.Debug("Called Machine.Start()")
alreadyStarted := true
m.startOnce.Do(func() {
m.logger.Debug("Marking Machine as Started")
alreadyStarted = false
})
if alreadyStarted {
return ErrAlreadyStarted
}
var err error
defer func() {
if err != nil {
if cleanupErr := m.doCleanup(); cleanupErr != nil {
m.Logger().Errorf(
"failed to cleanup VM after previous start failure: %v", cleanupErr)
}
}
}()
err = m.Handlers.Run(ctx, m)
if err != nil {
return err
}
err = m.startInstance(ctx)
return err
}
// Shutdown requests a clean shutdown of the VM by sending CtrlAltDelete on the virtual keyboard
func (m *Machine) Shutdown(ctx context.Context) error {
m.logger.Debug("Called machine.Shutdown()")
if runtime.GOARCH != "arm64" {
return m.sendCtrlAltDel(ctx)
} else {
return m.StopVMM()
}
}
// Wait will wait until the firecracker process has finished. Wait is safe to
// call concurrently, and will deliver the same error to all callers, subject to
// each caller's context cancellation.
func (m *Machine) Wait(ctx context.Context) error {
select {
case <-ctx.Done():
return ctx.Err()
case <-m.exitCh:
return m.fatalErr
}
}
// GetFirecrackerVersion gets the machine's firecracker version and returns it
func (m *Machine) GetFirecrackerVersion(ctx context.Context) (string, error) {
resp, err := m.client.GetFirecrackerVersion(ctx)
if err != nil {
m.logger.Errorf("Getting firecracker version: %s", err)
return "", err
}
m.logger.Debug("GetFirecrackerVersion successful")
return *resp.Payload.FirecrackerVersion, nil
}
func (m *Machine) setupNetwork(ctx context.Context) error {
err, cleanupFuncs := m.Cfg.NetworkInterfaces.setupNetwork(ctx, m.Cfg.VMID, m.Cfg.NetNS, m.logger)
m.cleanupFuncs = append(m.cleanupFuncs, cleanupFuncs...)
return err
}
func (m *Machine) setupKernelArgs(ctx context.Context) error {
kernelArgs := parseKernelArgs(m.Cfg.KernelArgs)
// If any network interfaces have a static IP configured, we need to set the "ip=" boot param.
// Validation that we are not overriding an existing "ip=" setting happens in the network validation
if staticIPInterface := m.Cfg.NetworkInterfaces.staticIPInterface(); staticIPInterface != nil {
ipBootParam := staticIPInterface.StaticConfiguration.IPConfiguration.ipBootParam()
kernelArgs["ip"] = &ipBootParam
}
m.Cfg.KernelArgs = kernelArgs.String()
return nil
}
func (m *Machine) createNetworkInterfaces(ctx context.Context, ifaces ...NetworkInterface) error {
for id, iface := range ifaces {
if err := m.createNetworkInterface(ctx, iface, id+1); err != nil {
return err
}
}
return nil
}
func (m *Machine) addVsocks(ctx context.Context, vsocks ...VsockDevice) error {
for _, dev := range m.Cfg.VsockDevices {
if err := m.addVsock(ctx, dev); err != nil {
return err
}
}
return nil
}
func (m *Machine) attachDrives(ctx context.Context, drives ...models.Drive) error {
for _, dev := range drives {
if err := m.attachDrive(ctx, dev); err != nil {
m.logger.Errorf("While attaching drive %s, got error %s", StringValue(dev.PathOnHost), err)
return err
}
m.logger.Debugf("attachDrive returned for %s", StringValue(dev.PathOnHost))
}
return nil
}
func (m *Machine) defaultNetNSPath() string {
return filepath.Join(defaultNetNSDir, m.Cfg.VMID)
}
// startVMM starts the firecracker vmm process and configures logging.
func (m *Machine) startVMM(ctx context.Context) error {
m.logger.Printf("Called startVMM(), setting up a VMM on %s", m.Cfg.SocketPath)
startCmd := m.cmd.Start
m.logger.Debugf("Starting %v", m.cmd.Args)
var err error
if m.Cfg.NetNS != "" && m.Cfg.JailerCfg == nil {
// If the VM needs to be started in a netns but no jailer netns was configured,
// start the vmm child process in the netns directly here.
err = ns.WithNetNSPath(m.Cfg.NetNS, func(_ ns.NetNS) error {
return startCmd()
})
} else {
// Else, just start the process normally as it's either not in a netns or will
// be placed in one by the jailer process instead.
err = startCmd()
}
if err != nil {
m.logger.Errorf("Failed to start VMM: %s", err)
m.fatalErr = err
close(m.exitCh)
return err
}
m.logger.Debugf("VMM started socket path is %s", m.Cfg.SocketPath)
m.cleanupFuncs = append(m.cleanupFuncs,
func() error {
if err := os.Remove(m.Cfg.SocketPath); !os.IsNotExist(err) {
return err
}
return nil
},
)
errCh := make(chan error)
go func() {
waitErr := m.cmd.Wait()
if waitErr != nil {
m.logger.Warnf("firecracker exited: %s", waitErr.Error())
} else {
m.logger.Printf("firecracker exited: status=0")
}
cleanupErr := m.doCleanup()
if cleanupErr != nil {
m.logger.Errorf("failed to cleanup after VM exit: %v", cleanupErr)
}
errCh <- multierror.Append(waitErr, cleanupErr).ErrorOrNil()
// Notify subscribers that there will be no more values.
// When err is nil, two reads are performed (waitForSocket and close exitCh goroutine),
// second one never ends as it tries to read from empty channel.
close(errCh)
close(m.cleanupCh)
}()
m.setupSignals()
// Wait for firecracker to initialize:
err = m.waitForSocket(time.Duration(m.client.firecrackerInitTimeout)*time.Second, errCh)
if err != nil {
err = fmt.Errorf("Firecracker did not create API socket %s: %w", m.Cfg.SocketPath, err)
m.fatalErr = err
close(m.exitCh)
return err
}
// This goroutine is used to kill the process by context cancellation,
// but doesn't tell anyone about that.
go func() {
select {
case <-ctx.Done():
break
case <-m.exitCh:
// VMM exited on its own; no need to stop it.
return
}
err := m.stopVMM()
if err != nil {
m.logger.WithError(err).Errorf("failed to stop vm %q", m.Cfg.VMID)
}
}()
// This goroutine is used to tell clients that the process is stopped
// (gracefully or not).
go func() {
m.fatalErr = <-errCh
m.logger.Debugf("closing the exitCh %v", m.fatalErr)
close(m.exitCh)
}()
m.logger.Debugf("returning from startVMM()")
return nil
}
// StopVMM stops the current VMM.
func (m *Machine) StopVMM() error {
return m.stopVMM()
}
func (m *Machine) stopVMM() error {
if m.cmd != nil && m.cmd.Process != nil {
m.logger.Debug("stopVMM(): sending sigterm to firecracker")
err := m.cmd.Process.Signal(syscall.SIGTERM)
if err != nil && !strings.Contains(err.Error(), "os: process already finished") {
return err
}
// Wait for the cleanup to finish.
<-m.cleanupCh
return nil
}
m.logger.Debug("stopVMM(): no firecracker process running, not sending a signal")
// don't return an error if the process isn't even running
return nil
}
// createFifo sets up a FIFOs
func createFifo(path string) error {
log.Debugf("Creating FIFO %s", path)
if err := syscall.Mkfifo(path, 0700); err != nil {
return fmt.Errorf("Failed to create log fifo: %v", err)
}
return nil
}
func (m *Machine) setupLogging(ctx context.Context) error {
path := m.Cfg.LogPath
if len(m.Cfg.LogFifo) > 0 {
path = m.Cfg.LogFifo
}
if len(path) == 0 {
// No logging configured
m.logger.Printf("VMM logging disabled.")
return nil
}
// m.Cfg.LogLevel cannot be nil, but Firecracker allows setting a logger
// without its level. Converting "" to nil to support the corner case.
level := String(m.Cfg.LogLevel)
if StringValue(level) == "" {
level = nil
}
l := models.Logger{
LogPath: String(path),
Level: level,
ShowLevel: Bool(true),
ShowLogOrigin: Bool(false),
}
_, err := m.client.PutLogger(ctx, &l)
if err != nil {
return err
}
m.logger.Debugf("Configured VMM logging to %s", path)
return nil
}
func (m *Machine) setupMetrics(ctx context.Context) error {
path := m.Cfg.MetricsPath
if len(m.Cfg.MetricsFifo) > 0 {
path = m.Cfg.MetricsFifo
}
if len(path) == 0 {
// No logging configured
m.logger.Printf("VMM metrics disabled.")
return nil
}
_, err := m.client.PutMetrics(ctx, &models.Metrics{
MetricsPath: String(path),
})
if err != nil {
return err
}
m.logger.Debugf("Configured VMM metrics to %s", path)
return nil
}
func (m *Machine) captureFifoToFile(ctx context.Context, logger *log.Entry, fifoPath string, w io.Writer) error {
return m.captureFifoToFileWithChannel(ctx, logger, fifoPath, w, make(chan error, 1))
}
func (m *Machine) captureFifoToFileWithChannel(ctx context.Context, logger *log.Entry, fifoPath string, w io.Writer, done chan error) error {
// open the fifo pipe which will be used
// to write its contents to a file.
fifoPipe, err := fifo.OpenFifo(ctx, fifoPath, syscall.O_RDONLY|syscall.O_NONBLOCK, 0600)
if err != nil {
return fmt.Errorf("Failed to open fifo path at %q: %v", fifoPath, err)
}
logger.Debugf("Capturing %q to writer", fifoPath)
// this goroutine is to track the life of the application along with whether
// or not the context has been cancelled which is signified by the exitCh. In
// the event that the exitCh has been closed, we will close the fifo file.
go func() {
<-m.exitCh
if err := fifoPipe.Close(); err != nil {
logger.WithError(err).Debug("failed to close fifo")
}
}()
// Uses a goroutine to copy the contents of the fifo pipe to the io.Writer.
// In the event that the goroutine finishes, which is caused by either the
// context being closed or the application being closed, we will close the
// pipe and unlink the fifo path.
go func() {
defer func() {
if err := fifoPipe.Close(); err != nil {
logger.Warnf("Failed to close fifo pipe: %v", err)
}
if err := syscall.Unlink(fifoPath); err != nil {
logger.Warnf("Failed to unlink %s: %v", fifoPath, err)
}
}()
if _, err := io.Copy(w, fifoPipe); err != nil {
logger.WithError(err).Warn("io.Copy failed to copy contents of fifo pipe")
done <- err
}
close(done)
}()
return nil
}
func (m *Machine) createMachine(ctx context.Context) error {
resp, err := m.client.PutMachineConfiguration(ctx, &m.Cfg.MachineCfg)
if err != nil {
m.logger.Errorf("PutMachineConfiguration returned %s", resp.Error())
return err
}
m.logger.Debug("PutMachineConfiguration returned")
err = m.refreshMachineConfiguration()
if err != nil {
m.logger.Errorf("Unable to inspect Firecracker MachineConfiguration. Continuing anyway. %s", err)
}
m.logger.Debug("createMachine returning")
return err
}
func (m *Machine) createBootSource(ctx context.Context, imagePath, initrdPath, kernelArgs string) error {
bsrc := models.BootSource{
KernelImagePath: &imagePath,
InitrdPath: initrdPath,
BootArgs: kernelArgs,
}
resp, err := m.client.PutGuestBootSource(ctx, &bsrc)
if err == nil {
m.logger.Printf("PutGuestBootSource: %s", resp.Error())
}
return err
}
func (m *Machine) createNetworkInterface(ctx context.Context, iface NetworkInterface, iid int) error {
ifaceID := strconv.Itoa(iid)
if iface.StaticConfiguration == nil {
// this should not be possible, but check nil anyways to prevent a panic
// if there is a bug
return errors.New("invalid nil state for network interface")
}
m.logger.Printf("Attaching NIC %s (hwaddr %s) at index %s",
iface.StaticConfiguration.HostDevName, iface.StaticConfiguration.MacAddress, ifaceID)
ifaceCfg := models.NetworkInterface{
IfaceID: &ifaceID,
GuestMac: iface.StaticConfiguration.MacAddress,
HostDevName: String(iface.StaticConfiguration.HostDevName),
}
if iface.InRateLimiter != nil {
ifaceCfg.RxRateLimiter = iface.InRateLimiter
}
if iface.OutRateLimiter != nil {
ifaceCfg.TxRateLimiter = iface.OutRateLimiter
}
resp, err := m.client.PutGuestNetworkInterfaceByID(ctx, ifaceID, &ifaceCfg)
if err == nil {
m.logger.Debugf("PutGuestNetworkInterfaceByID: %s", resp.Error())
}
m.logger.Debugf("createNetworkInterface returned for %s", iface.StaticConfiguration.HostDevName)
return err
}
// UpdateGuestNetworkInterfaceRateLimit modifies the specified network interface's rate limits
func (m *Machine) UpdateGuestNetworkInterfaceRateLimit(ctx context.Context, ifaceID string, rateLimiters RateLimiterSet, opts ...PatchGuestNetworkInterfaceByIDOpt) error {
iface := models.PartialNetworkInterface{
IfaceID: &ifaceID,
}
if rateLimiters.InRateLimiter != nil {
iface.RxRateLimiter = rateLimiters.InRateLimiter
}
if rateLimiters.OutRateLimiter != nil {
iface.TxRateLimiter = rateLimiters.InRateLimiter
}
if _, err := m.client.PatchGuestNetworkInterfaceByID(ctx, ifaceID, &iface, opts...); err != nil {
m.logger.Errorf("Update network interface failed: %s: %v", ifaceID, err)
return err
}
m.logger.Infof("Updated network interface: %s", ifaceID)
return nil
}
// attachDrive attaches a secondary block device
func (m *Machine) attachDrive(ctx context.Context, dev models.Drive) error {
hostPath := StringValue(dev.PathOnHost)
m.logger.Infof("Attaching drive %s, slot %s, root %t.", hostPath, StringValue(dev.DriveID), BoolValue(dev.IsRootDevice))
respNoContent, err := m.client.PutGuestDriveByID(ctx, StringValue(dev.DriveID), &dev)
if err == nil {
m.logger.Printf("Attached drive %s: %s", hostPath, respNoContent.Error())
} else {
m.logger.Errorf("Attach drive failed: %s: %s", hostPath, err)
}
return err
}
// addVsock adds a vsock to the instance
func (m *Machine) addVsock(ctx context.Context, dev VsockDevice) error {
vsockCfg := models.Vsock{
GuestCid: Int64(int64(dev.CID)),
UdsPath: &dev.Path,
VsockID: dev.ID,
}
resp, err := m.client.PutGuestVsock(ctx, &vsockCfg)
if err != nil {
return err
}
m.logger.Debugf("Attach vsock %s successful: %s", dev.Path, resp.Error())
return nil
}
func (m *Machine) startInstance(ctx context.Context) error {
if m.Cfg.hasSnapshot() {
return nil
}
action := models.InstanceActionInfoActionTypeInstanceStart
info := models.InstanceActionInfo{
ActionType: &action,
}
resp, err := m.client.CreateSyncAction(ctx, &info)
if err == nil {
m.logger.Printf("startInstance successful: %s", resp.Error())
} else {
m.logger.Errorf("Starting instance: %s", err)
}
return err
}
func (m *Machine) sendCtrlAltDel(ctx context.Context) error {
action := models.InstanceActionInfoActionTypeSendCtrlAltDel
info := models.InstanceActionInfo{
ActionType: &action,
}
resp, err := m.client.CreateSyncAction(ctx, &info)
if err == nil {
m.logger.Printf("Sent instance shutdown request: %s", resp.Error())
} else {
m.logger.Errorf("Unable to send CtrlAltDel: %s", err)
}
return err
}
func (m *Machine) setMmdsConfig(ctx context.Context, address net.IP, ifaces NetworkInterfaces, version MMDSVersion) error {
var mmdsCfg models.MmdsConfig
// MMDS config supports v1 and v2, v1 is going to be deprecated.
// Default to the version 1 if no version is specified
if version == MMDSv1 || version == MMDSv2 {
mmdsCfg.Version = String(string(version))
} else {
mmdsCfg.Version = String(string(MMDSv1))
}
if address != nil {
mmdsCfg.IPV4Address = String(address.String())
}
for id, iface := range ifaces {
if iface.AllowMMDS {
mmdsCfg.NetworkInterfaces = append(mmdsCfg.NetworkInterfaces, strconv.Itoa(id+1))
}
}
// MMDS is tightly coupled with a network interface, which allows MMDS requests.
// When configuring the microVM, if MMDS needs to be activated, a network interface
// has to be configured to allow MMDS requests.
if len(mmdsCfg.NetworkInterfaces) == 0 {
m.logger.Infof("No interfaces are allowed to access MMDS, skipping MMDS config")
return nil
}
if _, err := m.client.PutMmdsConfig(ctx, &mmdsCfg); err != nil {
m.logger.Errorf("Setting mmds configuration failed: %s: %v", address, err)
return err
}
m.logger.Debug("SetMmdsConfig successful")
return nil
}
// SetMetadata sets the machine's metadata for MDDS
func (m *Machine) SetMetadata(ctx context.Context, metadata interface{}) error {
if _, err := m.client.PutMmds(ctx, metadata); err != nil {
m.logger.Errorf("Setting metadata: %s", err)
return err
}
m.logger.Printf("SetMetadata successful")
return nil
}
// UpdateMetadata patches the machine's metadata for MDDS
func (m *Machine) UpdateMetadata(ctx context.Context, metadata interface{}) error {
if _, err := m.client.PatchMmds(ctx, metadata); err != nil {
m.logger.Errorf("Updating metadata: %s", err)
return err
}
m.logger.Printf("UpdateMetadata successful")
return nil
}
// GetMetadata gets the machine's metadata from MDDS and unmarshals it into v
func (m *Machine) GetMetadata(ctx context.Context, v interface{}) error {
resp, err := m.client.GetMmds(ctx)
if err != nil {