Добавление метки к колангу Прометея Голанга - PullRequest
0 голосов
/ 27 октября 2018

Я пытаюсь выяснить, как добавить метку в сборщик прометея. Есть идеи, что мне здесь не хватает? У меня есть два файла: main.go и collector.go

Я использовал следующую ссылку в качестве руководства. https://rsmitty.github.io/Prometheus-Exporters/

Я смоделировал этот пример, чтобы я мог опубликовать его здесь. В конечном итоге я не собираюсь тянуть "date +% s" для команды. Просто не могу понять, куда добавлять ярлыки.

Для метки я пытаюсь добавить имя хоста, поэтому у меня есть такой результат:

# HELP cmd_result Shows the cmd result
# TYPE cmd_result gauge
cmd_result{host="my_device_hostname"} 1.919256141363144e-76

Я тоже новичок в Голанге, так что есть большая вероятность, что я все об этом ошибусь! В конечном итоге я пытаюсь заставить прометея вытянуть результат cmd на каждом скребке.

main.go

package main

import (
    "net/http"

    log "github.com/Sirupsen/logrus"
    "github.com/prometheus/client_golang/prometheus"
    "github.com/prometheus/client_golang/prometheus/promhttp"
)

func main() {

    //Create a new instance of the collector and
    //register it with the prometheus client.
    cmd := newCollector()
    prometheus.MustRegister(cmd)

    //This section will start the HTTP server and expose
    //any metrics on the /metrics endpoint.
    http.Handle("/metrics", promhttp.Handler())
    log.Info("Beginning to serve on port :8080")
    log.Fatal(http.ListenAndServe(":8080", nil))
}

collector.go

package main

import (
    "encoding/binary"
    "fmt"
    "math"
    "os/exec"
    "strings"

    "github.com/prometheus/client_golang/prometheus"
)

type cmdCollector struct {
    cmdMetric *prometheus.Desc
}

func newCollector() *cmdCollector {
    return &cmdCollector{
        cmdMetric: prometheus.NewDesc("cmd_result",
            "Shows the cmd result",
            nil, nil,
        ),
    }
}

func (collector *cmdCollector) Describe(ch chan<- *prometheus.Desc) {
    ch <- collector.cmdMetric
}

func (collector *cmdCollector) Collect(ch chan<- prometheus.Metric) {

    var metricValue float64
    command := string("date +%s")
    cmdResult := exeCmd(command)
    metricValue = cmdResult

    ch <- prometheus.MustNewConstMetric(collector.cmdMetric, prometheus.GaugeValue, metricValue)

}

func exeCmd(cmd string) float64 {
    parts := strings.Fields(cmd)
    out, err := exec.Command(parts[0], parts[1]).Output()
    if err != nil {
        fmt.Println("error occured")
        fmt.Printf("%s", err)
    }
    cmdProcessResult := Float64frombytes(out)
    return cmdProcessResult
}

func Float64frombytes(bytes []byte) float64 {
    bits := binary.LittleEndian.Uint64(bytes)
    float := math.Float64frombits(bits)
    return float
}

1 Ответ

0 голосов
/ 27 октября 2018

Я понял это.Мне пришлось объявить метку, где я вызывал метод NewDesc, а затем передать значение в метод MustNewConstMetric

Вот мой новый "newCollector" с меткой "hostname".

func newCollector() *cmdCollector {
    return &cmdCollector{
        cmdMetric: prometheus.NewDesc("cmd_result",
            "Shows the cmd result",
            []string{"hostname"}, nil,
        ),
    }
}

Стоит отметить, что я здесь только добавляю «переменные метки».Это последнее «ноль» для постоянных меток.

Вы можете добавить любое количество элементов, например, так ...

[]string{"hostname", "another_label", "and_another_label"}

Это описано здесь: https://godoc.org/github.com/prometheus/client_golang/prometheus#NewDesc

Далее я могу добавить эти значения при вызовеМетод "MustNewConstMetric".

ch <- prometheus.MustNewConstMetric(collector.cmdMetric, prometheus.GaugeValue, metricValue, hostname)

Весь блок ...

func (collector *cmdCollector) Collect(ch chan<- prometheus.Metric) {

    var metricValue float64
    command := string("date +%s")
    cmdResult := exeCmd(command)
    metricValue = cmdResult

    ch <- prometheus.MustNewConstMetric(collector.cmdMetric, prometheus.GaugeValue, metricValue, hostname)

}

Если я передавал несколько меток;такой как мой пример выше, это выглядело бы больше как это ...

ch <- prometheus.MustNewConstMetric(collector.cmdMetric, prometheus.GaugeValue, metricValue, hostname, anotherLabel", "andAnotherLabel)

Это покрыто здесь: https://godoc.org/github.com/prometheus/client_golang/prometheus#MustNewConstMetric

...