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
|
package resource
import (
"context"
"fmt"
"github.com/goss-org/goss/system"
"github.com/goss-org/goss/util"
)
type Interface struct {
Title string `json:"title,omitempty" yaml:"title,omitempty"`
Meta meta `json:"meta,omitempty" yaml:"meta,omitempty"`
id string `json:"-" yaml:"-"`
Name string `json:"name,omitempty" yaml:"name,omitempty"`
Exists matcher `json:"exists" yaml:"exists"`
Addrs matcher `json:"addrs,omitempty" yaml:"addrs,omitempty"`
MTU matcher `json:"mtu,omitempty" yaml:"mtu,omitempty"`
Skip bool `json:"skip,omitempty" yaml:"skip,omitempty"`
}
const (
InterfaceResourceKey = "interface"
InterfaceResourceName = "Interface"
)
func init() {
registerResource(InterfaceResourceKey, &Interface{})
}
func (i *Interface) ID() string {
if i.Name != "" && i.Name != i.id {
return fmt.Sprintf("%s: %s", i.id, i.Name)
}
return i.id
}
func (i *Interface) SetID(id string) { i.id = id }
func (i *Interface) SetSkip() { i.Skip = true }
func (i *Interface) TypeKey() string { return InterfaceResourceKey }
func (i *Interface) TypeName() string { return InterfaceResourceName }
// FIXME: Can this be refactored?
func (i *Interface) GetTitle() string { return i.Title }
func (i *Interface) GetMeta() meta { return i.Meta }
func (i *Interface) GetName() string {
if i.Name != "" {
return i.Name
}
return i.id
}
func (i *Interface) Validate(sys *system.System) []TestResult {
ctx := context.WithValue(context.Background(), idKey{}, i.ID())
skip := i.Skip
sysInterface := sys.NewInterface(ctx, i.GetName(), sys, util.Config{})
var results []TestResult
results = append(results, ValidateValue(i, "exists", i.Exists, sysInterface.Exists, skip))
if shouldSkip(results) {
skip = true
}
if i.Addrs != nil {
results = append(results, ValidateValue(i, "addrs", i.Addrs, sysInterface.Addrs, skip))
}
if i.MTU != nil {
results = append(results, ValidateValue(i, "mtu", i.MTU, sysInterface.MTU, skip))
}
return results
}
func NewInterface(sysInterface system.Interface, config util.Config) (*Interface, error) {
name := sysInterface.Name()
exists, _ := sysInterface.Exists()
i := &Interface{
id: name,
Exists: exists,
}
if !contains(config.IgnoreList, "addrs") {
if addrs, err := sysInterface.Addrs(); err == nil {
i.Addrs = addrs
}
}
if !contains(config.IgnoreList, "mtu") {
if mtu, err := sysInterface.MTU(); err == nil {
i.MTU = mtu
}
}
return i, nil
}
|