add only_metrics, exclude_metrics, interface_alias. docs: consistency

This commit is contained in:
brinkcoder 2025-03-05 01:15:18 +01:00
parent 478c5159f5
commit 0e7b4fc936
2 changed files with 126 additions and 94 deletions

View File

@ -5,20 +5,24 @@ import (
"encoding/json" "encoding/json"
"errors" "errors"
"os" "os"
"regexp"
"strconv" "strconv"
"strings" "strings"
"time" "time"
lp "github.com/ClusterCockpit/cc-lib/ccMessage"
cclog "github.com/ClusterCockpit/cc-metric-collector/pkg/ccLogger" cclog "github.com/ClusterCockpit/cc-metric-collector/pkg/ccLogger"
lp "github.com/ClusterCockpit/cc-energy-manager/pkg/cc-message"
) )
const NETSTATFILE = "/proc/net/dev" const NETSTATFILE = "/proc/net/dev"
type NetstatCollectorConfig struct { type NetstatCollectorConfig struct {
IncludeDevices []string `json:"include_devices"` IncludeDevices []string `json:"include_devices"`
SendAbsoluteValues bool `json:"send_abs_values"` SendAbsoluteValues bool `json:"send_abs_values"`
SendDerivedValues bool `json:"send_derived_values"` SendDerivedValues bool `json:"send_derived_values"`
InterfaceAliases map[string][]string `json:"interface_aliases,omitempty"`
ExcludeMetrics []string `json:"exclude_metrics,omitempty"`
OnlyMetrics []string `json:"only_metrics,omitempty"`
} }
type NetstatCollectorMetric struct { type NetstatCollectorMetric struct {
@ -32,9 +36,43 @@ type NetstatCollectorMetric struct {
type NetstatCollector struct { type NetstatCollector struct {
metricCollector metricCollector
config NetstatCollectorConfig config NetstatCollectorConfig
matches map[string][]NetstatCollectorMetric aliasToCanonical map[string]string
lastTimestamp time.Time matches map[string][]NetstatCollectorMetric
lastTimestamp time.Time
}
func (m *NetstatCollector) buildAliasMapping() {
m.aliasToCanonical = make(map[string]string)
for canon, aliases := range m.config.InterfaceAliases {
for _, alias := range aliases {
m.aliasToCanonical[alias] = canon
}
}
}
func getCanonicalName(raw string, aliasToCanonical map[string]string) string {
if canon, ok := aliasToCanonical[raw]; ok {
return canon
}
return raw
}
func (m *NetstatCollector) shouldOutput(metricName string) bool {
if len(m.config.OnlyMetrics) > 0 {
for _, n := range m.config.OnlyMetrics {
if n == metricName {
return true
}
}
return false
}
for _, n := range m.config.ExcludeMetrics {
if n == metricName {
return false
}
}
return true
} }
func (m *NetstatCollector) Init(config json.RawMessage) error { func (m *NetstatCollector) Init(config json.RawMessage) error {
@ -43,41 +81,20 @@ func (m *NetstatCollector) Init(config json.RawMessage) error {
m.setup() m.setup()
m.lastTimestamp = time.Now() m.lastTimestamp = time.Now()
const ( // Set default configuration
fieldInterface = iota
fieldReceiveBytes
fieldReceivePackets
fieldReceiveErrs
fieldReceiveDrop
fieldReceiveFifo
fieldReceiveFrame
fieldReceiveCompressed
fieldReceiveMulticast
fieldTransmitBytes
fieldTransmitPackets
fieldTransmitErrs
fieldTransmitDrop
fieldTransmitFifo
fieldTransmitColls
fieldTransmitCarrier
fieldTransmitCompressed
)
m.matches = make(map[string][]NetstatCollectorMetric)
// Set default configuration,
m.config.SendAbsoluteValues = true m.config.SendAbsoluteValues = true
m.config.SendDerivedValues = false m.config.SendDerivedValues = false
// Read configuration file, allow overwriting default config
if len(config) > 0 { if len(config) > 0 {
err := json.Unmarshal(config, &m.config) if err := json.Unmarshal(config, &m.config); err != nil {
if err != nil {
cclog.ComponentError(m.name, "Error reading config:", err.Error()) cclog.ComponentError(m.name, "Error reading config:", err.Error())
return err return err
} }
} }
// Check access to net statistic file m.buildAliasMapping()
// Open /proc/net/dev and read interfaces.
file, err := os.Open(NETSTATFILE) file, err := os.Open(NETSTATFILE)
if err != nil { if err != nil {
cclog.ComponentError(m.name, err.Error()) cclog.ComponentError(m.name, err.Error())
@ -85,30 +102,38 @@ func (m *NetstatCollector) Init(config json.RawMessage) error {
} }
defer file.Close() defer file.Close()
m.matches = make(map[string][]NetstatCollectorMetric)
scanner := bufio.NewScanner(file) scanner := bufio.NewScanner(file)
// Regex to split interface name and rest of line.
reInterface := regexp.MustCompile(`^([^:]+):\s*(.*)$`)
// Field positions based on /proc/net/dev format.
const (
fieldReceiveBytes = iota + 1
fieldReceivePackets
fieldTransmitBytes = 9
fieldTransmitPackets
)
for scanner.Scan() { for scanner.Scan() {
l := scanner.Text() line := scanner.Text()
// Skip header lines.
// Skip lines with no net device entry if !strings.Contains(line, ":") {
if !strings.Contains(l, ":") {
continue continue
} }
matches := reInterface.FindStringSubmatch(line)
// Split line into fields if len(matches) != 3 {
f := strings.Fields(l) continue
}
// Get net device entry raw := strings.TrimSpace(matches[1])
dev := strings.Trim(f[0], ": ") canonical := getCanonicalName(raw, m.aliasToCanonical)
// Check if device is included.
// Check if device is a included device if _, ok := stringArrayContains(m.config.IncludeDevices, canonical); ok {
if _, ok := stringArrayContains(m.config.IncludeDevices, dev); ok { tags := map[string]string{"stype": "network", "stype-id": raw, "type": "node"}
tags := map[string]string{"stype": "network", "stype-id": dev, "type": "node"}
meta_unit_byte := map[string]string{"source": m.name, "group": "Network", "unit": "bytes"} meta_unit_byte := map[string]string{"source": m.name, "group": "Network", "unit": "bytes"}
meta_unit_byte_per_sec := map[string]string{"source": m.name, "group": "Network", "unit": "bytes/sec"} meta_unit_byte_per_sec := map[string]string{"source": m.name, "group": "Network", "unit": "bytes/sec"}
meta_unit_pkts := map[string]string{"source": m.name, "group": "Network", "unit": "packets"} meta_unit_pkts := map[string]string{"source": m.name, "group": "Network", "unit": "packets"}
meta_unit_pkts_per_sec := map[string]string{"source": m.name, "group": "Network", "unit": "packets/sec"} meta_unit_pkts_per_sec := map[string]string{"source": m.name, "group": "Network", "unit": "packets/sec"}
m.matches[dev] = []NetstatCollectorMetric{ m.matches[canonical] = []NetstatCollectorMetric{
{ {
name: "net_bytes_in", name: "net_bytes_in",
index: fieldReceiveBytes, index: fieldReceiveBytes,
@ -143,11 +168,10 @@ func (m *NetstatCollector) Init(config json.RawMessage) error {
}, },
} }
} }
} }
if len(m.matches) == 0 { if len(m.matches) == 0 {
return errors.New("no devices to collector metrics found") return errors.New("no devices to collect metrics found")
} }
m.init = true m.init = true
return nil return nil
@ -157,14 +181,11 @@ func (m *NetstatCollector) Read(interval time.Duration, output chan lp.CCMessage
if !m.init { if !m.init {
return return
} }
// Current time stamp
now := time.Now() now := time.Now()
// time difference to last time stamp
timeDiff := now.Sub(m.lastTimestamp).Seconds() timeDiff := now.Sub(m.lastTimestamp).Seconds()
// Save current timestamp
m.lastTimestamp = now m.lastTimestamp = now
file, err := os.Open(string(NETSTATFILE)) file, err := os.Open(NETSTATFILE)
if err != nil { if err != nil {
cclog.ComponentError(m.name, err.Error()) cclog.ComponentError(m.name, err.Error())
return return
@ -173,43 +194,39 @@ func (m *NetstatCollector) Read(interval time.Duration, output chan lp.CCMessage
scanner := bufio.NewScanner(file) scanner := bufio.NewScanner(file)
for scanner.Scan() { for scanner.Scan() {
l := scanner.Text() line := scanner.Text()
if !strings.Contains(line, ":") {
// Skip lines with no net device entry
if !strings.Contains(l, ":") {
continue continue
} }
reInterface := regexp.MustCompile(`^([^:]+):\s*(.*)$`)
// Split line into fields matches := reInterface.FindStringSubmatch(line)
f := strings.Fields(l) if len(matches) != 3 {
continue
// Get net device entry }
dev := strings.Trim(f[0], ":") raw := strings.TrimSpace(matches[1])
canonical := getCanonicalName(raw, m.aliasToCanonical)
// Check if device is a included device if devmetrics, ok := m.matches[canonical]; ok {
if devmetrics, ok := m.matches[dev]; ok { fields := strings.Fields(matches[2])
for i := range devmetrics { for i := range devmetrics {
metric := &devmetrics[i] metric := &devmetrics[i]
v, err := strconv.ParseInt(fields[metric.index-1], 10, 64)
// Read value
v, err := strconv.ParseInt(f[metric.index], 10, 64)
if err != nil { if err != nil {
continue continue
} }
if m.config.SendAbsoluteValues { // Send absolute metric if enabled.
if m.config.SendAbsoluteValues && m.shouldOutput(metric.name) {
if y, err := lp.NewMessage(metric.name, metric.tags, metric.meta, map[string]interface{}{"value": v}, now); err == nil { if y, err := lp.NewMessage(metric.name, metric.tags, metric.meta, map[string]interface{}{"value": v}, now); err == nil {
output <- y output <- y
} }
} }
if m.config.SendDerivedValues { // Send derived metric if enabled.
if metric.lastValue >= 0 { if m.config.SendDerivedValues && metric.lastValue >= 0 && m.shouldOutput(metric.name+"_bw") {
rate := float64(v-metric.lastValue) / timeDiff rate := float64(v-metric.lastValue) / timeDiff
if y, err := lp.NewMessage(metric.name+"_bw", metric.tags, metric.meta_rates, map[string]interface{}{"value": rate}, now); err == nil { if y, err := lp.NewMessage(metric.name+"_bw", metric.tags, metric.meta_rates, map[string]interface{}{"value": rate}, now); err == nil {
output <- y output <- y
}
} }
metric.lastValue = v
} }
metric.lastValue = v
} }
} }
} }

View File

@ -1,27 +1,42 @@
## `netstat` collector ## `netstat` collector
```json ```json
"netstat": { "netstat": {
"include_devices": [ "include_devices": [
"eth0" "eth0",
"eno1"
], ],
"send_abs_values" : true, "send_abs_values": true,
"send_derived_values" : true "send_derived_values": true,
"interface_aliases": {
"eno1": ["eno1np0", "eno1_alt"],
"eth0": ["eth0_alias"]
},
"exclude_metrics": [
"net_pkts_in"
],
"only_metrics": [
"net_bytes_in_bw"
]
} }
``` ```
The `netstat` collector reads data from `/proc/net/dev` and outputs a handful **node** metrics. With the `include_devices` list you can specify which network devices should be measured. **Note**: Most other collectors use an _exclude_ list instead of an include list. The `netstat` collector reads data from `/proc/net/dev` and outputs a handful **node** metrics. With the `include_devices` list you can specify which network interfaces should be measured. Optionally, you can define an `interface_aliases` mapping. For each canonical device (as listed in include_devices), you may provide an array of aliases that may be reported by the system. When an alias is detected, it is mapped to the canonical name, while the output tag `stype-id` always shows the actual system-reported name.
Metrics: Both filtering mechanisms are supported:
* `net_bytes_in` (`unit=bytes`) - `exclude_metrics`: Excludes the specified metrics.
* `net_bytes_out` (`unit=bytes`) - `only_metrics`: If provided, only the listed metrics are collected. This takes precedence over `exclude_metrics`.
* `net_pkts_in` (`unit=packets`)
* `net_pkts_out` (`unit=packets`) **Absolute Metrics:**
* `net_bytes_in_bw` (`unit=bytes/sec` if `send_derived_values == true`) - `net_bytes_in` (unit: `bytes`)
* `net_bytes_out_bw` (`unit=bytes/sec` if `send_derived_values == true`) - `net_bytes_out` (unit: `bytes`)
* `net_pkts_in_bw` (`unit=packets/sec` if `send_derived_values == true`) - `net_pkts_in` (unit: `packets`)
* `net_pkts_out_bw` (`unit=packets/sec` if `send_derived_values == true`) - `net_pkts_out` (unit: `packets`)
**Derived Metrics:**
- `net_bytes_in_bw` (unit: `bytes/sec`)
- `net_bytes_out_bw` (unit: `bytes/sec`)
- `net_pkts_in_bw` (unit: `packets/sec`)
- `net_pkts_out_bw` (unit: `packets/sec`)
The device name is added as tag `stype=network,stype-id=<device>`. The device name is added as tag `stype=network,stype-id=<device>`.