| // Copyright 2014 The Prometheus Authors |
| // Licensed under the Apache License, Version 2.0 (the "License"); |
| // you may not use this file except in compliance with the License. |
| // You may obtain a copy of the License at |
| // |
| // http://www.apache.org/licenses/LICENSE-2.0 |
| // |
| // Unless required by applicable law or agreed to in writing, software |
| // distributed under the License 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 prometheus |
| |
| import ( |
| "errors" |
| "math" |
| "sort" |
| "strings" |
| "time" |
| |
| dto "github.com/prometheus/client_model/go" |
| "github.com/prometheus/common/model" |
| "google.golang.org/protobuf/proto" |
| ) |
| |
| var separatorByteSlice = []byte{model.SeparatorByte} // For convenient use with xxhash. |
| |
| // A Metric models a single sample value with its meta data being exported to |
| // Prometheus. Implementations of Metric in this package are Gauge, Counter, |
| // Histogram, Summary, and Untyped. |
| type Metric interface { |
| // Desc returns the descriptor for the Metric. This method idempotently |
| // returns the same descriptor throughout the lifetime of the |
| // Metric. The returned descriptor is immutable by contract. A Metric |
| // unable to describe itself must return an invalid descriptor (created |
| // with NewInvalidDesc). |
| Desc() *Desc |
| // Write encodes the Metric into a "Metric" Protocol Buffer data |
| // transmission object. |
| // |
| // Metric implementations must observe concurrency safety as reads of |
| // this metric may occur at any time, and any blocking occurs at the |
| // expense of total performance of rendering all registered |
| // metrics. Ideally, Metric implementations should support concurrent |
| // readers. |
| // |
| // While populating dto.Metric, it is the responsibility of the |
| // implementation to ensure validity of the Metric protobuf (like valid |
| // UTF-8 strings or syntactically valid metric and label names). It is |
| // recommended to sort labels lexicographically. Callers of Write should |
| // still make sure of sorting if they depend on it. |
| Write(*dto.Metric) error |
| // TODO(beorn7): The original rationale of passing in a pre-allocated |
| // dto.Metric protobuf to save allocations has disappeared. The |
| // signature of this method should be changed to "Write() (*dto.Metric, |
| // error)". |
| } |
| |
| // Opts bundles the options for creating most Metric types. Each metric |
| // implementation XXX has its own XXXOpts type, but in most cases, it is just |
| // an alias of this type (which might change when the requirement arises.) |
| // |
| // It is mandatory to set Name to a non-empty string. All other fields are |
| // optional and can safely be left at their zero value, although it is strongly |
| // encouraged to set a Help string. |
| type Opts struct { |
| // Namespace, Subsystem, and Name are components of the fully-qualified |
| // name of the Metric (created by joining these components with |
| // "_"). Only Name is mandatory, the others merely help structuring the |
| // name. Note that the fully-qualified name of the metric must be a |
| // valid Prometheus metric name. |
| Namespace string |
| Subsystem string |
| Name string |
| |
| // Help provides information about this metric. |
| // |
| // Metrics with the same fully-qualified name must have the same Help |
| // string. |
| Help string |
| |
| // ConstLabels are used to attach fixed labels to this metric. Metrics |
| // with the same fully-qualified name must have the same label names in |
| // their ConstLabels. |
| // |
| // ConstLabels are only used rarely. In particular, do not use them to |
| // attach the same labels to all your metrics. Those use cases are |
| // better covered by target labels set by the scraping Prometheus |
| // server, or by one specific metric (e.g. a build_info or a |
| // machine_role metric). See also |
| // https://prometheus.io/docs/instrumenting/writing_exporters/#target-labels-not-static-scraped-labels |
| ConstLabels Labels |
| |
| // now is for testing purposes, by default it's time.Now. |
| now func() time.Time |
| } |
| |
| // BuildFQName joins the given three name components by "_". Empty name |
| // components are ignored. If the name parameter itself is empty, an empty |
| // string is returned, no matter what. Metric implementations included in this |
| // library use this function internally to generate the fully-qualified metric |
| // name from the name component in their Opts. Users of the library will only |
| // need this function if they implement their own Metric or instantiate a Desc |
| // (with NewDesc) directly. |
| func BuildFQName(namespace, subsystem, name string) string { |
| if name == "" { |
| return "" |
| } |
| |
| sb := strings.Builder{} |
| sb.Grow(len(namespace) + len(subsystem) + len(name) + 2) |
| |
| if namespace != "" { |
| sb.WriteString(namespace) |
| sb.WriteString("_") |
| } |
| |
| if subsystem != "" { |
| sb.WriteString(subsystem) |
| sb.WriteString("_") |
| } |
| |
| sb.WriteString(name) |
| |
| return sb.String() |
| } |
| |
| type invalidMetric struct { |
| desc *Desc |
| err error |
| } |
| |
| // NewInvalidMetric returns a metric whose Write method always returns the |
| // provided error. It is useful if a Collector finds itself unable to collect |
| // a metric and wishes to report an error to the registry. |
| func NewInvalidMetric(desc *Desc, err error) Metric { |
| return &invalidMetric{desc, err} |
| } |
| |
| func (m *invalidMetric) Desc() *Desc { return m.desc } |
| |
| func (m *invalidMetric) Write(*dto.Metric) error { return m.err } |
| |
| type timestampedMetric struct { |
| Metric |
| t time.Time |
| } |
| |
| func (m timestampedMetric) Write(pb *dto.Metric) error { |
| e := m.Metric.Write(pb) |
| pb.TimestampMs = proto.Int64(m.t.Unix()*1000 + int64(m.t.Nanosecond()/1000000)) |
| return e |
| } |
| |
| // NewMetricWithTimestamp returns a new Metric wrapping the provided Metric in a |
| // way that it has an explicit timestamp set to the provided Time. This is only |
| // useful in rare cases as the timestamp of a Prometheus metric should usually |
| // be set by the Prometheus server during scraping. Exceptions include mirroring |
| // metrics with given timestamps from other metric |
| // sources. |
| // |
| // NewMetricWithTimestamp works best with MustNewConstMetric, |
| // MustNewConstHistogram, and MustNewConstSummary, see example. |
| // |
| // Currently, the exposition formats used by Prometheus are limited to |
| // millisecond resolution. Thus, the provided time will be rounded down to the |
| // next full millisecond value. |
| func NewMetricWithTimestamp(t time.Time, m Metric) Metric { |
| return timestampedMetric{Metric: m, t: t} |
| } |
| |
| type withExemplarsMetric struct { |
| Metric |
| |
| exemplars []*dto.Exemplar |
| } |
| |
| func (m *withExemplarsMetric) Write(pb *dto.Metric) error { |
| if err := m.Metric.Write(pb); err != nil { |
| return err |
| } |
| |
| switch { |
| case pb.Counter != nil: |
| pb.Counter.Exemplar = m.exemplars[len(m.exemplars)-1] |
| case pb.Histogram != nil: |
| h := pb.Histogram |
| for _, e := range m.exemplars { |
| if (h.GetZeroThreshold() != 0 || h.GetZeroCount() != 0 || |
| len(h.PositiveSpan) != 0 || len(h.NegativeSpan) != 0) && |
| e.GetTimestamp() != nil { |
| h.Exemplars = append(h.Exemplars, e) |
| if len(h.Bucket) == 0 { |
| // Don't proceed to classic buckets if there are none. |
| continue |
| } |
| } |
| // h.Bucket are sorted by UpperBound. |
| i := sort.Search(len(h.Bucket), func(i int) bool { |
| return h.Bucket[i].GetUpperBound() >= e.GetValue() |
| }) |
| if i < len(h.Bucket) { |
| h.Bucket[i].Exemplar = e |
| } else { |
| // The +Inf bucket should be explicitly added if there is an exemplar for it, similar to non-const histogram logic in https://github.com/prometheus/client_golang/blob/main/prometheus/histogram.go#L357-L365. |
| b := &dto.Bucket{ |
| CumulativeCount: proto.Uint64(h.GetSampleCount()), |
| UpperBound: proto.Float64(math.Inf(1)), |
| Exemplar: e, |
| } |
| h.Bucket = append(h.Bucket, b) |
| } |
| } |
| default: |
| // TODO(bwplotka): Implement Gauge? |
| return errors.New("cannot inject exemplar into Gauge, Summary or Untyped") |
| } |
| |
| return nil |
| } |
| |
| // Exemplar is easier to use, user-facing representation of *dto.Exemplar. |
| type Exemplar struct { |
| Value float64 |
| Labels Labels |
| // Optional. |
| // Default value (time.Time{}) indicates its empty, which should be |
| // understood as time.Now() time at the moment of creation of metric. |
| Timestamp time.Time |
| } |
| |
| // NewMetricWithExemplars returns a new Metric wrapping the provided Metric with given |
| // exemplars. Exemplars are validated. |
| // |
| // Only last applicable exemplar is injected from the list. |
| // For example for Counter it means last exemplar is injected. |
| // For Histogram, it means last applicable exemplar for each bucket is injected. |
| // For a Native Histogram, all valid exemplars are injected. |
| // |
| // NewMetricWithExemplars works best with MustNewConstMetric and |
| // MustNewConstHistogram, see example. |
| func NewMetricWithExemplars(m Metric, exemplars ...Exemplar) (Metric, error) { |
| if len(exemplars) == 0 { |
| return nil, errors.New("no exemplar was passed for NewMetricWithExemplars") |
| } |
| |
| var ( |
| now = time.Now() |
| exs = make([]*dto.Exemplar, len(exemplars)) |
| err error |
| ) |
| for i, e := range exemplars { |
| ts := e.Timestamp |
| if ts.IsZero() { |
| ts = now |
| } |
| exs[i], err = newExemplar(e.Value, ts, e.Labels) |
| if err != nil { |
| return nil, err |
| } |
| } |
| |
| return &withExemplarsMetric{Metric: m, exemplars: exs}, nil |
| } |
| |
| // MustNewMetricWithExemplars is a version of NewMetricWithExemplars that panics where |
| // NewMetricWithExemplars would have returned an error. |
| func MustNewMetricWithExemplars(m Metric, exemplars ...Exemplar) Metric { |
| ret, err := NewMetricWithExemplars(m, exemplars...) |
| if err != nil { |
| panic(err) |
| } |
| return ret |
| } |