Create a custom filter component

Creating a custom filter is probably the most common action a Baker user will perform.

In fact, filters are the components that apply the business logic to a Baker pipeline, creating or discarding records or modifying fields.

A working example of a custom filter can be found in the filtering example

To create a filter and make it available to Baker, one must:

  • Implement the Filter interface
  • Add a FilterDesc for the filter to the available filters in Components

The Filter interface

New Filter components need to implement the Filter interface.

type Filter interface {
	Process(l Record, next func(Record))
	Stats() FilterStats
}
  • Process is the function that actually filters the records
  • Stats return statistics (FilterStats) about the filtering process

A very simple example of filter doing nothing is:

type MyFilter struct{}

func (f *MyFilter) Process(r baker.Record, next func(baker.Record)) {
    next(r)
}

func (f *MyFilter) Stats() baker.FilterStats { 
    return baker.FilterStats{}
}

FilterDesc

To be included in the Baker filters, a filter must be described by a FilterDesc object:

var MyFilterDesc = baker.FilterDesc{
	Name:   "MyFilter",
	New:    NewMyFilter,
	Config: &MyFilterConfig{},
	Help:   "This filter does nothing, but in a great way!",
}

This object has a Name, that is used in the Baker configuration file to identify the filter, a costructor function (New), a config object (used to parse the filter configuration in the TOML file) and a help text.

In this case the filter can be used with this configuration in the TOML file:

[[filter]]
name = "MyFilter"

The New function

The New field in the FilterDesc object should be to assigned to a function that returns a new Filter.

Each filter must have a constructor function that receives a FilterParams and returns the Filter interface implemented by the filter:

func NewMyFilter(cfg baker.FilterParams) (baker.Filter, error) {
	return &MyFilter{}, nil
}

The filtering example shows a more complex constructor that also uses the FilterParams argument.

Filter configuration and help

A filter requiring some configurations also has a config object, including as many keys as it needs and tagging each one with an help tag, a string that contains what a user needs to know which values set for it:

type ClauseFilterConfig struct {
	Clause string `help:"Boolean formula describing which events to let through. If empty, let everything through."`
}

Other available tags are required:"true|false" and default:"<value>".

Modify record fields

A filter can change the value of the record fields before calling next():

func (f *MyFilter) Process(r Record, next func(Record)) {
    var src FieldIndex = 10
    var dst FieldIndex = 10
    v := r.Get(src)
    //.. modify v as required
    r.Set(dst, v)
    next(r)
}

Processing records

Filters do their work in the Process(r Record, next func(Record) method, where r is the Record to process and next is a closure assigned to the next element in thefilter chain.

Filters call next(r) once they’re done with the record and desire to forward it, or simply do not call next() if they want to discard the record.

When a filter discards a record it should also report it in the stats:

type MyFilter struct{
    numFilteredLines  int64
}

func (f *MyFilter) Process(r Record, next func(Record)) {
    // shouldBeDiscarded is part of the filter logic
    if shouldBeDiscarded(r) {
        atomic.AddInt64(&f.numFilteredLines, 1)
        // return here so next() isn't called
        return
    }
    // forward the record to the next element of the filter chain
    next(r)
}

func (f *MyFilter) Stats() FilterStats { 
    return baker.FilterStats{
        NumFilteredLines:  atomic.LoadInt64(&f.numFilteredLines),
    }
}

Create records

A filter can decide to call next() multiple times to send new or duplicated records to the next element of the filter chain.

Note that the new or copied records don’t start the filter chain from the first filter in the list but only the remaining filters are applied to the records.

Copy()

Filters can duplicate incoming records (with record.Copy()), and thus have more records come out than records that came in.

func (f *MyFilter) Process(r Record, next func(Record)) {
    // Call next the 1st time
    next(r)

    // WRONG, it is the same record as above
    next(r)

    // CORRECT, this is a copy of the record
    next(r.Copy())
}

CreateRecord()

A new, empty, record is created calling the CreateRecord function. The CreateRecord function is available as part of the FilterParams argument of the filter constructor. If you plan to use it in the Process function then store it to the filter object in the constructor as shown in this example:

type MyFilter struct{
    cfg baker.FilterParams
}

func NewMyFilter(cfg baker.FilterParams) (baker.Filter, error) {
	return &MyFilter{
        cfg: cfg, // you can also store only CreateRecord
    }, nil
}

func (f *MyFilter) Process(r Record, next func(Record)) {
    newRecord := f.cfg.CreateRecord()
    //... do something with the record
    next(newRecord)
}

Write tests

When writing tests for a new filter, particular attention should be given to:

  • the New() (constructor-like) function
  • the Process() function

Testing the New function means testing that we’re able to intercept wrong configurations.

An example, using the NewMyFilter function, is:

cfg := baker.FilterParams{
    ComponentParams: baker.ComponentParams{
        DecodedConfig: &MyFilterConfig{},
    },
}

if filter, err := NewMyFilter(cfg); err != nil {
    t.Errorf("unexpected error: %v", err)
}

Obviously, if the filter requires some configuration values (not like this empty demo filter), the test should also verify all possible values and corner cases.

With the filter instance, it’s then possible to test the Process() function, providing a manually crafted Record and checking whether the function calls the next() function:

ll := &baker.LogLine{FieldSeparator: ','}
// Set values to the record, triggering all the filter logic
// ll.Set(<someIndex>, []byte("somevalue"))
kept := false
filter.Process(ll, func(baker.Record) {
    kept = true
})
// check `kept` depending on what is expected for the set values
Last modified November 2, 2020