2022-07-29 06:29:21 +02:00
|
|
|
// Copyright (C) 2022 NHR@FAU, University Erlangen-Nuremberg.
|
|
|
|
// All rights reserved.
|
|
|
|
// Use of this source code is governed by a MIT-style
|
|
|
|
// license that can be found in the LICENSE file.
|
2022-06-21 17:52:36 +02:00
|
|
|
package metricdata
|
|
|
|
|
|
|
|
import (
|
|
|
|
"context"
|
|
|
|
"crypto/tls"
|
|
|
|
"encoding/json"
|
|
|
|
"errors"
|
|
|
|
"fmt"
|
|
|
|
"strings"
|
|
|
|
"time"
|
|
|
|
|
2022-09-05 17:46:38 +02:00
|
|
|
"github.com/ClusterCockpit/cc-backend/pkg/archive"
|
2023-01-19 16:59:14 +01:00
|
|
|
"github.com/ClusterCockpit/cc-backend/pkg/log"
|
2022-06-21 17:52:36 +02:00
|
|
|
"github.com/ClusterCockpit/cc-backend/pkg/schema"
|
|
|
|
influxdb2 "github.com/influxdata/influxdb-client-go/v2"
|
|
|
|
influxdb2Api "github.com/influxdata/influxdb-client-go/v2/api"
|
|
|
|
)
|
|
|
|
|
|
|
|
type InfluxDBv2DataRepositoryConfig struct {
|
|
|
|
Url string `json:"url"`
|
|
|
|
Token string `json:"token"`
|
|
|
|
Bucket string `json:"bucket"`
|
|
|
|
Org string `json:"org"`
|
|
|
|
SkipTls bool `json:"skiptls"`
|
|
|
|
}
|
|
|
|
|
|
|
|
type InfluxDBv2DataRepository struct {
|
|
|
|
client influxdb2.Client
|
|
|
|
queryClient influxdb2Api.QueryAPI
|
|
|
|
bucket, measurement string
|
|
|
|
}
|
|
|
|
|
|
|
|
func (idb *InfluxDBv2DataRepository) Init(rawConfig json.RawMessage) error {
|
|
|
|
var config InfluxDBv2DataRepositoryConfig
|
|
|
|
if err := json.Unmarshal(rawConfig, &config); err != nil {
|
2023-02-01 11:58:27 +01:00
|
|
|
log.Warn("Error while unmarshaling raw json config")
|
2022-06-21 17:52:36 +02:00
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
idb.client = influxdb2.NewClientWithOptions(config.Url, config.Token, influxdb2.DefaultOptions().SetTLSConfig(&tls.Config{InsecureSkipVerify: config.SkipTls}))
|
|
|
|
idb.queryClient = idb.client.QueryAPI(config.Org)
|
|
|
|
idb.bucket = config.Bucket
|
|
|
|
|
|
|
|
return nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (idb *InfluxDBv2DataRepository) formatTime(t time.Time) string {
|
|
|
|
return t.Format(time.RFC3339) // Like “2006-01-02T15:04:05Z07:00”
|
|
|
|
}
|
|
|
|
|
|
|
|
func (idb *InfluxDBv2DataRepository) epochToTime(epoch int64) time.Time {
|
|
|
|
return time.Unix(epoch, 0)
|
|
|
|
}
|
|
|
|
|
2022-09-07 12:24:45 +02:00
|
|
|
func (idb *InfluxDBv2DataRepository) LoadData(
|
|
|
|
job *schema.Job,
|
|
|
|
metrics []string,
|
|
|
|
scopes []schema.MetricScope,
|
|
|
|
ctx context.Context) (schema.JobData, error) {
|
2022-06-21 17:52:36 +02:00
|
|
|
|
|
|
|
measurementsConds := make([]string, 0, len(metrics))
|
|
|
|
for _, m := range metrics {
|
|
|
|
measurementsConds = append(measurementsConds, fmt.Sprintf(`r["_measurement"] == "%s"`, m))
|
|
|
|
}
|
|
|
|
measurementsCond := strings.Join(measurementsConds, " or ")
|
|
|
|
|
|
|
|
hostsConds := make([]string, 0, len(job.Resources))
|
|
|
|
for _, h := range job.Resources {
|
|
|
|
if h.HWThreads != nil || h.Accelerators != nil {
|
|
|
|
// TODO
|
2023-01-19 16:59:14 +01:00
|
|
|
return nil, errors.New("METRICDATA/INFLUXV2 > the InfluxDB metric data repository does not yet support HWThreads or Accelerators")
|
2022-06-21 17:52:36 +02:00
|
|
|
}
|
|
|
|
hostsConds = append(hostsConds, fmt.Sprintf(`r["hostname"] == "%s"`, h.Hostname))
|
|
|
|
}
|
|
|
|
hostsCond := strings.Join(hostsConds, " or ")
|
|
|
|
|
|
|
|
jobData := make(schema.JobData) // Empty Schema: map[<string>FIELD]map[<MetricScope>SCOPE]<*JobMetric>METRIC
|
|
|
|
// Requested Scopes
|
|
|
|
for _, scope := range scopes {
|
|
|
|
query := ""
|
|
|
|
switch scope {
|
|
|
|
case "node":
|
|
|
|
// Get Finest Granularity, Groupy By Measurement and Hostname (== Metric / Node), Calculate Mean for 60s windows
|
2023-01-23 18:48:06 +01:00
|
|
|
// log.Info("Scope 'node' requested. ")
|
2022-06-21 17:52:36 +02:00
|
|
|
query = fmt.Sprintf(`
|
|
|
|
from(bucket: "%s")
|
|
|
|
|> range(start: %s, stop: %s)
|
|
|
|
|> filter(fn: (r) => (%s) and (%s) )
|
|
|
|
|> drop(columns: ["_start", "_stop"])
|
|
|
|
|> group(columns: ["hostname", "_measurement"])
|
|
|
|
|> aggregateWindow(every: 60s, fn: mean)
|
|
|
|
|> drop(columns: ["_time"])`,
|
|
|
|
idb.bucket,
|
|
|
|
idb.formatTime(job.StartTime), idb.formatTime(idb.epochToTime(job.StartTimeUnix+int64(job.Duration)+int64(1))),
|
|
|
|
measurementsCond, hostsCond)
|
|
|
|
case "socket":
|
2023-02-15 11:50:51 +01:00
|
|
|
log.Info("Scope 'socket' requested, but not yet supported: Will return 'node' scope only. ")
|
2022-06-21 17:52:36 +02:00
|
|
|
continue
|
|
|
|
case "core":
|
2023-02-15 11:50:51 +01:00
|
|
|
log.Info(" Scope 'core' requested, but not yet supported: Will return 'node' scope only. ")
|
2022-06-21 17:52:36 +02:00
|
|
|
continue
|
|
|
|
// Get Finest Granularity only, Set NULL to 0.0
|
|
|
|
// query = fmt.Sprintf(`
|
|
|
|
// from(bucket: "%s")
|
|
|
|
// |> range(start: %s, stop: %s)
|
|
|
|
// |> filter(fn: (r) => %s )
|
|
|
|
// |> filter(fn: (r) => %s )
|
|
|
|
// |> drop(columns: ["_start", "_stop", "cluster"])
|
|
|
|
// |> map(fn: (r) => (if exists r._value then {r with _value: r._value} else {r with _value: 0.0}))`,
|
|
|
|
// idb.bucket,
|
|
|
|
// idb.formatTime(job.StartTime), idb.formatTime(idb.epochToTime(job.StartTimeUnix + int64(job.Duration) + int64(1) )),
|
|
|
|
// measurementsCond, hostsCond)
|
|
|
|
default:
|
2023-02-15 11:50:51 +01:00
|
|
|
log.Infof("Unknown scope '%s' requested: Will return 'node' scope.", scope)
|
2022-06-21 17:52:36 +02:00
|
|
|
continue
|
2023-01-19 16:59:14 +01:00
|
|
|
// return nil, errors.New("METRICDATA/INFLUXV2 > the InfluxDB metric data repository does not yet support other scopes than 'node'")
|
2022-06-21 17:52:36 +02:00
|
|
|
}
|
|
|
|
|
|
|
|
rows, err := idb.queryClient.Query(ctx, query)
|
|
|
|
if err != nil {
|
2023-01-31 18:28:44 +01:00
|
|
|
log.Error("Error while performing query")
|
2022-06-21 17:52:36 +02:00
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
// Init Metrics: Only Node level now -> TODO: Matching /check on scope level ...
|
|
|
|
for _, metric := range metrics {
|
|
|
|
jobMetric, ok := jobData[metric]
|
|
|
|
if !ok {
|
2022-09-05 17:46:38 +02:00
|
|
|
mc := archive.GetMetricConfig(job.Cluster, metric)
|
2022-06-21 17:52:36 +02:00
|
|
|
jobMetric = map[schema.MetricScope]*schema.JobMetric{
|
|
|
|
scope: { // uses scope var from above!
|
|
|
|
Unit: mc.Unit,
|
|
|
|
Timestep: mc.Timestep,
|
|
|
|
Series: make([]schema.Series, 0, len(job.Resources)),
|
|
|
|
StatisticsSeries: nil, // Should be: &schema.StatsSeries{},
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
jobData[metric] = jobMetric
|
|
|
|
}
|
|
|
|
|
|
|
|
// Process Result: Time-Data
|
|
|
|
field, host, hostSeries := "", "", schema.Series{}
|
|
|
|
// typeId := 0
|
|
|
|
switch scope {
|
|
|
|
case "node":
|
|
|
|
for rows.Next() {
|
|
|
|
row := rows.Record()
|
|
|
|
if host == "" || host != row.ValueByKey("hostname").(string) || rows.TableChanged() {
|
|
|
|
if host != "" {
|
|
|
|
// Append Series before reset
|
|
|
|
jobData[field][scope].Series = append(jobData[field][scope].Series, hostSeries)
|
|
|
|
}
|
|
|
|
field, host = row.Measurement(), row.ValueByKey("hostname").(string)
|
|
|
|
hostSeries = schema.Series{
|
|
|
|
Hostname: host,
|
2023-03-22 19:21:11 +01:00
|
|
|
Statistics: schema.MetricStatistics{}, //TODO Add Statistics
|
2022-06-21 17:52:36 +02:00
|
|
|
Data: make([]schema.Float, 0),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
val, ok := row.Value().(float64)
|
|
|
|
if ok {
|
|
|
|
hostSeries.Data = append(hostSeries.Data, schema.Float(val))
|
|
|
|
} else {
|
|
|
|
hostSeries.Data = append(hostSeries.Data, schema.Float(0))
|
|
|
|
}
|
|
|
|
}
|
|
|
|
case "socket":
|
|
|
|
continue
|
|
|
|
case "core":
|
|
|
|
continue
|
|
|
|
// Include Series.Id in hostSeries
|
|
|
|
// for rows.Next() {
|
|
|
|
// row := rows.Record()
|
|
|
|
// if ( host == "" || host != row.ValueByKey("hostname").(string) || typeId != row.ValueByKey("type-id").(int) || rows.TableChanged() ) {
|
|
|
|
// if ( host != "" ) {
|
|
|
|
// // Append Series before reset
|
|
|
|
// jobData[field][scope].Series = append(jobData[field][scope].Series, hostSeries)
|
|
|
|
// }
|
|
|
|
// field, host, typeId = row.Measurement(), row.ValueByKey("hostname").(string), row.ValueByKey("type-id").(int)
|
|
|
|
// hostSeries = schema.Series{
|
|
|
|
// Hostname: host,
|
|
|
|
// Id: &typeId,
|
|
|
|
// Statistics: nil,
|
|
|
|
// Data: make([]schema.Float, 0),
|
|
|
|
// }
|
|
|
|
// }
|
|
|
|
// val := row.Value().(float64)
|
|
|
|
// hostSeries.Data = append(hostSeries.Data, schema.Float(val))
|
|
|
|
// }
|
|
|
|
default:
|
2023-02-15 11:50:51 +01:00
|
|
|
log.Infof("Unknown scope '%s' requested: Will return 'node' scope.", scope)
|
2022-06-21 17:52:36 +02:00
|
|
|
continue
|
|
|
|
// return nil, errors.New("the InfluxDB metric data repository does not yet support other scopes than 'node, core'")
|
|
|
|
}
|
|
|
|
// Append last Series
|
|
|
|
jobData[field][scope].Series = append(jobData[field][scope].Series, hostSeries)
|
|
|
|
}
|
|
|
|
|
|
|
|
// Get Stats
|
|
|
|
stats, err := idb.LoadStats(job, metrics, ctx)
|
|
|
|
if err != nil {
|
2023-02-01 11:58:27 +01:00
|
|
|
log.Warn("Error while loading statistics")
|
2022-06-21 17:52:36 +02:00
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
for _, scope := range scopes {
|
|
|
|
if scope == "node" { // No 'socket/core' support yet
|
|
|
|
for metric, nodes := range stats {
|
|
|
|
for node, stats := range nodes {
|
|
|
|
for index, _ := range jobData[metric][scope].Series {
|
|
|
|
if jobData[metric][scope].Series[index].Hostname == node {
|
2023-04-11 16:26:09 +02:00
|
|
|
jobData[metric][scope].Series[index].Statistics = schema.MetricStatistics{Avg: stats.Avg, Min: stats.Min, Max: stats.Max}
|
2022-06-21 17:52:36 +02:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
return jobData, nil
|
|
|
|
}
|
|
|
|
|
2022-09-07 12:24:45 +02:00
|
|
|
func (idb *InfluxDBv2DataRepository) LoadStats(
|
|
|
|
job *schema.Job,
|
|
|
|
metrics []string,
|
|
|
|
ctx context.Context) (map[string]map[string]schema.MetricStatistics, error) {
|
2022-06-21 17:52:36 +02:00
|
|
|
|
|
|
|
stats := map[string]map[string]schema.MetricStatistics{}
|
|
|
|
|
|
|
|
hostsConds := make([]string, 0, len(job.Resources))
|
|
|
|
for _, h := range job.Resources {
|
|
|
|
if h.HWThreads != nil || h.Accelerators != nil {
|
|
|
|
// TODO
|
2023-01-19 16:59:14 +01:00
|
|
|
return nil, errors.New("METRICDATA/INFLUXV2 > the InfluxDB metric data repository does not yet support HWThreads or Accelerators")
|
2022-06-21 17:52:36 +02:00
|
|
|
}
|
|
|
|
hostsConds = append(hostsConds, fmt.Sprintf(`r["hostname"] == "%s"`, h.Hostname))
|
|
|
|
}
|
|
|
|
hostsCond := strings.Join(hostsConds, " or ")
|
|
|
|
|
|
|
|
// lenMet := len(metrics)
|
|
|
|
|
|
|
|
for _, metric := range metrics {
|
2023-01-19 16:59:14 +01:00
|
|
|
// log.Debugf("<< You are here: %s (Index %d of %d metrics)", metric, index, lenMet)
|
2022-06-21 17:52:36 +02:00
|
|
|
|
|
|
|
query := fmt.Sprintf(`
|
|
|
|
data = from(bucket: "%s")
|
|
|
|
|> range(start: %s, stop: %s)
|
|
|
|
|> filter(fn: (r) => r._measurement == "%s" and r._field == "value" and (%s))
|
|
|
|
union(tables: [data |> mean(column: "_value") |> set(key: "_field", value: "avg"),
|
|
|
|
data |> min(column: "_value") |> set(key: "_field", value: "min"),
|
|
|
|
data |> max(column: "_value") |> set(key: "_field", value: "max")])
|
|
|
|
|> pivot(rowKey: ["hostname"], columnKey: ["_field"], valueColumn: "_value")
|
|
|
|
|> group()`,
|
|
|
|
idb.bucket,
|
|
|
|
idb.formatTime(job.StartTime), idb.formatTime(idb.epochToTime(job.StartTimeUnix+int64(job.Duration)+int64(1))),
|
|
|
|
metric, hostsCond)
|
|
|
|
|
|
|
|
rows, err := idb.queryClient.Query(ctx, query)
|
|
|
|
if err != nil {
|
2023-01-31 18:28:44 +01:00
|
|
|
log.Error("Error while performing query")
|
2022-06-21 17:52:36 +02:00
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
nodes := map[string]schema.MetricStatistics{}
|
|
|
|
for rows.Next() {
|
|
|
|
row := rows.Record()
|
|
|
|
host := row.ValueByKey("hostname").(string)
|
|
|
|
|
|
|
|
avg, avgok := row.ValueByKey("avg").(float64)
|
|
|
|
if !avgok {
|
2023-01-19 16:59:14 +01:00
|
|
|
// log.Debugf(">> Assertion error for metric %s, statistic AVG. Expected 'float64', got %v", metric, avg)
|
2022-06-21 17:52:36 +02:00
|
|
|
avg = 0.0
|
|
|
|
}
|
|
|
|
min, minok := row.ValueByKey("min").(float64)
|
|
|
|
if !minok {
|
2023-01-19 16:59:14 +01:00
|
|
|
// log.Debugf(">> Assertion error for metric %s, statistic MIN. Expected 'float64', got %v", metric, min)
|
2022-06-21 17:52:36 +02:00
|
|
|
min = 0.0
|
|
|
|
}
|
|
|
|
max, maxok := row.ValueByKey("max").(float64)
|
|
|
|
if !maxok {
|
2023-01-19 16:59:14 +01:00
|
|
|
// log.Debugf(">> Assertion error for metric %s, statistic MAX. Expected 'float64', got %v", metric, max)
|
2022-06-21 17:52:36 +02:00
|
|
|
max = 0.0
|
|
|
|
}
|
|
|
|
|
|
|
|
nodes[host] = schema.MetricStatistics{
|
|
|
|
Avg: avg,
|
|
|
|
Min: min,
|
|
|
|
Max: max,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
stats[metric] = nodes
|
|
|
|
}
|
|
|
|
|
|
|
|
return stats, nil
|
|
|
|
}
|
|
|
|
|
2022-09-07 12:24:45 +02:00
|
|
|
func (idb *InfluxDBv2DataRepository) LoadNodeData(
|
|
|
|
cluster string,
|
|
|
|
metrics, nodes []string,
|
|
|
|
scopes []schema.MetricScope,
|
|
|
|
from, to time.Time,
|
|
|
|
ctx context.Context) (map[string]map[string][]*schema.JobMetric, error) {
|
|
|
|
|
2022-06-21 17:52:36 +02:00
|
|
|
// TODO : Implement to be used in Analysis- und System/Node-View
|
2023-02-15 11:50:51 +01:00
|
|
|
log.Infof("LoadNodeData unimplemented for InfluxDBv2DataRepository, Args: cluster %s, metrics %v, nodes %v, scopes %v", cluster, metrics, nodes, scopes)
|
2022-06-21 17:52:36 +02:00
|
|
|
|
2023-01-19 16:59:14 +01:00
|
|
|
return nil, errors.New("METRICDATA/INFLUXV2 > unimplemented for InfluxDBv2DataRepository")
|
2022-06-21 17:52:36 +02:00
|
|
|
}
|