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

Refactor Nomad policy parsing and add tests #114

Merged
merged 3 commits into from
May 4, 2020
Merged
Show file tree
Hide file tree
Changes from 1 commit
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
5 changes: 4 additions & 1 deletion agent/agent.go
Original file line number Diff line number Diff line change
Expand Up @@ -54,7 +54,10 @@ func (a *Agent) Run(ctx context.Context) error {
a.healthServer = healthServer
go a.healthServer.run()

source := nomadpolicy.NewNomadSource(a.logger, a.nomadClient)
sourceConfig := &nomadpolicy.SourceConfig{
DefaultEvaluationInterval: a.config.ScanInterval,
}
source := nomadpolicy.NewNomadSource(a.logger, a.nomadClient, sourceConfig)
manager := policy.NewManager(a.logger, source, a.pluginManager)

policyEvalCh := make(chan *policy.Evaluation, 10)
Expand Down
176 changes: 115 additions & 61 deletions policy/nomad/parser.go
Original file line number Diff line number Diff line change
Expand Up @@ -4,107 +4,161 @@ import (
"fmt"
"time"

"github.com/hashicorp/nomad-autoscaler/plugins"
"github.com/hashicorp/nomad-autoscaler/policy"
"github.com/hashicorp/nomad/api"
)

func parsePolicy(p *api.ScalingPolicy) (policy.Policy, error) {
var to policy.Policy
// parsePolicy parses the values on an api.ScalingPolicy into a policy.Policy.
//
// It provides best-effort parsing, with any invalid values being skipped from
// the end result. To avoid missing values use validateScalingPolicy() to
// detect errors first.
func parsePolicy(p *api.ScalingPolicy) policy.Policy {
to := policy.Policy{
ID: p.ID,
Max: p.Max,
Target: parseTarget(p.Policy[keyTarget], p.Target),
Strategy: parseStrategy(p.Policy[keyStrategy]),
}

// Add non-typed values.
if p.Min != nil {
to.Min = *p.Min
}

if err := validateScalingPolicy(p); err != nil {
return to, err
if query, ok := p.Policy[keyQuery].(string); ok {
to.Query = query
}

source := p.Policy[keySource]
if source == nil {
source = ""
if source, ok := p.Policy[keySource].(string); ok {
to.Source = source
}

to = policy.Policy{
ID: p.ID,
Min: *p.Min,
Max: p.Max,
Enabled: *p.Enabled,
Source: source.(string),
Query: p.Policy[keyQuery].(string),
EvaluationInterval: defaultEvaluationInterval, //TODO(luiz): use agent scan interval as default
Target: parseTarget(p.Policy[keyTarget]),
Strategy: parseStrategy(p.Policy[keyStrategy]),
// Policy is enabled by default.
if p.Enabled == nil {
Copy link
Contributor

Choose a reason for hiding this comment

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

might put the default above in the initializer.

to.Enabled = true
} else {
to.Enabled = *p.Enabled
}

canonicalizePolicy(p, &to)
// Parse evaluation_interval as time.Duration.
// Ignore error since we assume policy has been validated.
if eval, ok := p.Policy[keyEvaluationInterval].(string); ok {
to.EvaluationInterval, _ = time.ParseDuration(eval)
}

return to, nil
return to
}

// parseStrategy parses the content of the strategy block from a policy.
//
// It provides best-effort parsing and will return `nil` in case of errors.
//
// scaling {
// policy {
// strategy = {
// +-------------------+
// | name = "strategy" |
// | config = { |
// | key = "value" |
// | } |
// +-------------------+
// }
// }
// }
func parseStrategy(s interface{}) *policy.Strategy {
strategyMap := s.([]interface{})[0].(map[string]interface{})
configMap := strategyMap["config"].([]interface{})[0].(map[string]interface{})
configMapString := make(map[string]string)
for k, v := range configMap {
configMapString[k] = fmt.Sprintf("%v", v)
if s == nil {
return nil
}

strategyMap := parseBlock(s)
if strategyMap == nil {
return nil
}

var configMapString map[string]string
configMap := parseBlock(strategyMap["config"])

if configMap != nil {
configMapString = make(map[string]string)
for k, v := range configMap {
configMapString[k] = fmt.Sprintf("%v", v)
}
}

// Ignore ok, but we need _ to avoid panics.
name, _ := strategyMap["name"].(string)

return &policy.Strategy{
Name: strategyMap["name"].(string),
Name: name,
Config: configMapString,
}
}

func parseTarget(t interface{}) *policy.Target {
if t == nil {
return &policy.Target{}
// parseTarget parses the content of the target block from a policy and
// enhances it with values defined in Target as well. Values in target.config
// takes precedence over values in Target.
//
// It provides best-effort parsing and will return `nil` in case of errors.
//
// scaling {
// policy {
// target = {
// +-----------------+
// | name = "target" |
// | config = { |
// | key = "value" |
// | } |
// +-----------------+
// }
// }
// }
func parseTarget(targetBlock interface{}, targetAttr map[string]string) *policy.Target {
if targetBlock == nil && targetAttr == nil {
return nil
}

targetMap := t.([]interface{})[0].(map[string]interface{})
targetMap := parseBlock(targetBlock)
if targetMap == nil {
return &policy.Target{}
return nil
}

var configMapString map[string]string
if targetMap["config"] != nil {
configMap := targetMap["config"].([]interface{})[0].(map[string]interface{})
configMap := parseBlock(targetMap["config"])

if configMap != nil {
configMapString = make(map[string]string)

for k, v := range targetAttr {
Copy link
Contributor

Choose a reason for hiding this comment

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

on my phone, can't trace this back, but wanted to make sure that this is only expected to be set if "config" existed

Copy link
Contributor Author

Choose a reason for hiding this comment

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

Yes, this moving values from targetMap["config"] (which is a map[string]interface{}) into configMapString (which is map[string]string).

So if "config" is not set we don't need to do anything.

configMapString[k] = v
}

for k, v := range configMap {
configMapString[k] = fmt.Sprintf("%v", v)
}
}

// Ignore ok, but we need _ to avoid panics.
name, _ := targetMap["name"].(string)

return &policy.Target{
Name: targetMap["name"].(string),
Name: name,
Config: configMapString,
}
}

// canonicalizePolicy sets standarized values for missing fields.
// It must be called after Validate.
func canonicalizePolicy(from *api.ScalingPolicy, to *policy.Policy) {

if from.Enabled == nil {
to.Enabled = true
}

if evalInterval, ok := from.Policy[keyEvaluationInterval].(string); ok {
// Ignore parse error since we assume Canonicalize is called after Validate
to.EvaluationInterval, _ = time.ParseDuration(evalInterval)
}

if to.Target.Name == "" {
to.Target.Name = plugins.InternalTargetNomad
// parseBlock parses the specific structure of a block into a more usable
// value of map[string]interface{}.
func parseBlock(block interface{}) map[string]interface{} {
blockInterfaceList, ok := block.([]interface{})
if !ok || len(blockInterfaceList) != 1 {
return nil
}

if to.Target.Config == nil {
to.Target.Config = make(map[string]string)
blockMap, ok := blockInterfaceList[0].(map[string]interface{})
if !ok {
return nil
}

to.Target.Config["job_id"] = from.Target["Job"]
to.Target.Config["group"] = from.Target["Group"]

if to.Source == "" {
to.Source = plugins.InternalAPMNomad
}

if to.Source == plugins.InternalAPMNomad {
to.Query = fmt.Sprintf("%s/%s/%s", to.Query, from.Target["Group"], from.Target["Job"])
}
return blockMap
}
Loading