Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Promtail: adding pipeline stage for dropping labels #2571

Merged
merged 4 commits into from
Sep 10, 2020
Merged
Show file tree
Hide file tree
Changes from 3 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
2 changes: 1 addition & 1 deletion docs/sources/clients/promtail/stages/_index.md
Original file line number Diff line number Diff line change
Expand Up @@ -22,6 +22,7 @@ Action stages:

* [timestamp](timestamp/): Set the timestamp value for the log entry.
* [output](output/): Set the log line text.
* [labeldrop](labeldrop/): Drop label set for the log entry.
* [labels](labels/): Update the label set for the log entry.
* [metrics](metrics/): Calculate metrics based on extracted data.
* [tenant](tenant/): Set the tenant ID value to use for the log entry.
Expand All @@ -30,4 +31,3 @@ Filtering stages:

* [match](match/): Conditionally run stages based on the label set.
* [drop](drop/): Conditionally drop log lines based on several options.

36 changes: 36 additions & 0 deletions docs/sources/clients/promtail/stages/labeldrop.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,36 @@
---
title: labeldrop
---
# `labeldrop` stage

The labeldrop stage is an action stage that takes drops labels from
the label set that is sent to Loki with the log entry.

## Schema

```yaml
labeldrop:
- [<string>]
...
```

### Examples

For the given pipeline:

```yaml
- replace:
expression: "(.*)"
replace: "pod_name:{{ .kubernetes_pod_name }} {{ .Value }}"
- labeldrop:
- kubernetes_pod_name
```

Given the following log line:

```
log message\n
```

The first stage would append the value of the`kubernetes_pod_name` label into the beginning of the log line.
The labeldrop stage would drop the label from being sent to Loki, and it would now be part of the log line instead.
61 changes: 61 additions & 0 deletions pkg/logentry/stages/labeldrop.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,61 @@
package stages

import (
"time"

"github.com/go-kit/kit/log"
"github.com/mitchellh/mapstructure"
"github.com/pkg/errors"
"github.com/prometheus/common/model"
)

const (
// ErrEmptyLabelDropStageConfig error returned if config is empty
ErrEmptyLabelDropStageConfig = "drop_label stage config cannot be empty"
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

drop_label and labeldrop ? There is some inconsistency here. Should we rename this to drop_labels everywhere ? WDYT ? naming is hard but also important.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

thanks for finding that, I switched that out to labeldrop, I picked "labeldrop" over "drop_label" because the relabel action to drop labels is called labeldrop so thought it would be more consistent.

)

// LabelDropConfig is a slice of labels to be dropped
type LabelDropConfig []string

func validateLabelDropConfig(c LabelDropConfig) error {
if c == nil || len(c) < 1 {
return errors.New(ErrEmptyLabelDropStageConfig)
}

return nil
}

func newLabelDropStage(logger log.Logger, configs interface{}) (*labelDropStage, error) {
cfgs := &LabelDropConfig{}
err := mapstructure.Decode(configs, cfgs)
if err != nil {
return nil, err
}

err = validateLabelDropConfig(*cfgs)
if err != nil {
return nil, err
}

return &labelDropStage{
cfgs: *cfgs,
logger: logger,
}, nil
}

type labelDropStage struct {
cfgs LabelDropConfig
logger log.Logger
cyriltovena marked this conversation as resolved.
Show resolved Hide resolved
}

// Process implements Stage
func (l *labelDropStage) Process(labels model.LabelSet, extracted map[string]interface{}, t *time.Time, entry *string) {
for _, label := range l.cfgs {
delete(labels, model.LabelName(label))
}
}

// Name implements Stage
func (l *labelDropStage) Name() string {
return StageTypeLabelDrop
}
69 changes: 69 additions & 0 deletions pkg/logentry/stages/labeldrop_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,69 @@
package stages

import (
"testing"

"github.com/cortexproject/cortex/pkg/util"
"github.com/prometheus/common/model"
"github.com/stretchr/testify/assert"
ww "github.com/weaveworks/common/server"
)

func Test_dropLabelStage_Process(t *testing.T) {
// Enable debug logging
cfg := &ww.Config{}
cfg.LogLevel.Set("debug")
util.InitLogger(cfg)
Debug = true

tests := []struct {
name string
config *LabelDropConfig
inputLabels model.LabelSet
expectedLabels model.LabelSet
}{
{
name: "drop one label",
config: &LabelDropConfig{"testLabel1"},
inputLabels: model.LabelSet{
"testLabel1": "testValue",
"testLabel2": "testValue",
},
expectedLabels: model.LabelSet{
"testLabel2": "testValue",
},
},
{
name: "drop two labels",
config: &LabelDropConfig{"testLabel1", "testLabel2"},
inputLabels: model.LabelSet{
"testLabel1": "testValue",
"testLabel2": "testValue",
},
expectedLabels: model.LabelSet{},
},
{
name: "drop non-existing label",
config: &LabelDropConfig{"foobar"},
inputLabels: model.LabelSet{
"testLabel1": "testValue",
"testLabel2": "testValue",
},
expectedLabels: model.LabelSet{
"testLabel1": "testValue",
"testLabel2": "testValue",
},
},
}

for _, test := range tests {
t.Run(test.name, func(t *testing.T) {
st, err := newLabelDropStage(util.Logger, test.config)
if err != nil {
t.Fatal(err)
}
st.Process(test.inputLabels, map[string]interface{}{}, nil, nil)
assert.Equal(t, test.expectedLabels, test.inputLabels)
})
}
}
6 changes: 6 additions & 0 deletions pkg/logentry/stages/stage.go
Original file line number Diff line number Diff line change
Expand Up @@ -15,6 +15,7 @@ const (
StageTypeReplace = "replace"
StageTypeMetric = "metrics"
StageTypeLabel = "labels"
StageTypeLabelDrop = "labeldrop"
StageTypeTimestamp = "timestamp"
StageTypeOutput = "output"
StageTypeDocker = "docker"
Expand Down Expand Up @@ -77,6 +78,11 @@ func New(logger log.Logger, jobName *string, stageType string,
if err != nil {
return nil, err
}
case StageTypeLabelDrop:
s, err = newLabelDropStage(logger, cfg)
if err != nil {
return nil, err
}
case StageTypeTimestamp:
s, err = newTimestampStage(logger, cfg)
if err != nil {
Expand Down