mediocre-go-lib/mcfg/source.go

62 lines
2.0 KiB
Go
Raw Normal View History

package mcfg
2018-08-14 00:05:22 +00:00
import (
"context"
2018-08-14 00:05:22 +00:00
"encoding/json"
)
// ParamValue describes a value for a parameter which has been parsed by a
// Source.
type ParamValue struct {
Name string
Path []string
Value json.RawMessage
}
2019-04-04 18:21:44 +00:00
// Source parses ParamValues out of a particular configuration source, given the
// Context which the Params were added to (via WithInt, WithString, etc...).
// CollectParams can be used to retrieve these Params.
//
// It's possible for Parsing to affect the Context itself, for example in the
// case of sub-commands. For this reason Parse can return a Context, which will
2019-04-04 18:21:44 +00:00
// get used for subsequent Parse commands inside Populate.
//
// Source should not return ParamValues which were not explicitly set to a value
// by the configuration source.
//
// The returned []ParamValue may contain duplicates of the same Param's value.
// in which case the later value takes precedence. It may also contain
// ParamValues which do not correspond to any of the passed in Params. These
// will be ignored in Populate.
type Source interface {
2019-04-04 18:21:44 +00:00
Parse(context.Context) (context.Context, []ParamValue, error)
}
2018-08-14 00:15:54 +00:00
// ParamValues is simply a slice of ParamValue elements, which implements Parse
// by always returning itself as-is.
type ParamValues []ParamValue
// Parse implements the method for the Source interface.
2019-04-04 18:21:44 +00:00
func (pvs ParamValues) Parse(ctx context.Context) (context.Context, []ParamValue, error) {
return ctx, pvs, nil
}
2018-08-14 00:15:54 +00:00
// Sources combines together multiple Source instances into one. It will call
// Parse on each element individually. Values from later Sources take precedence
// over previous ones.
2018-08-14 00:15:54 +00:00
type Sources []Source
// Parse implements the method for the Source interface.
2019-04-04 18:21:44 +00:00
func (ss Sources) Parse(ctx context.Context) (context.Context, []ParamValue, error) {
2018-08-14 00:15:54 +00:00
var pvs []ParamValue
for _, s := range ss {
var innerPVs []ParamValue
var err error
2019-04-04 18:21:44 +00:00
if ctx, innerPVs, err = s.Parse(ctx); err != nil {
return nil, nil, err
2018-08-14 00:15:54 +00:00
}
pvs = append(pvs, innerPVs...)
}
return ctx, pvs, nil
2018-08-14 00:15:54 +00:00
}