Merge pull request #965 from prometheus/fabxc/relpath

Resolve relative paths on configuration loading
This commit is contained in:
Fabian Reinartz 2015-08-10 19:43:42 +02:00
commit cdcfada2ac
6 changed files with 79 additions and 35 deletions

View file

@ -21,7 +21,6 @@ import (
_ "net/http/pprof" // Comment this line to disable pprof endpoint. _ "net/http/pprof" // Comment this line to disable pprof endpoint.
"os" "os"
"os/signal" "os/signal"
"path/filepath"
"strings" "strings"
"syscall" "syscall"
"text/template" "text/template"
@ -77,7 +76,6 @@ func Main() int {
NotificationHandler: notificationHandler, NotificationHandler: notificationHandler,
QueryEngine: queryEngine, QueryEngine: queryEngine,
ExternalURL: cfg.web.ExternalURL, ExternalURL: cfg.web.ExternalURL,
BaseDir: filepath.Dir(cfg.configFile),
}) })
flags := map[string]string{} flags := map[string]string{}
@ -172,7 +170,7 @@ type Reloadable interface {
func reloadConfig(filename string, rls ...Reloadable) bool { func reloadConfig(filename string, rls ...Reloadable) bool {
log.Infof("Loading configuration file %s", filename) log.Infof("Loading configuration file %s", filename)
conf, err := config.LoadFromFile(filename) conf, err := config.LoadFile(filename)
if err != nil { if err != nil {
log.Errorf("Couldn't load configuration (-config.file=%s): %v", filename, err) log.Errorf("Couldn't load configuration (-config.file=%s): %v", filename, err)
log.Errorf("Note: The configuration format has changed with version 0.14. Please see the documentation (http://prometheus.io/docs/operating/configuration/) and the provided configuration migration tool (https://github.com/prometheus/migrate).") log.Errorf("Note: The configuration format has changed with version 0.14. Please see the documentation (http://prometheus.io/docs/operating/configuration/) and the provided configuration migration tool (https://github.com/prometheus/migrate).")

View file

@ -22,8 +22,6 @@ import (
"strings" "strings"
"text/template" "text/template"
"gopkg.in/yaml.v2"
"github.com/prometheus/prometheus/config" "github.com/prometheus/prometheus/config"
"github.com/prometheus/prometheus/promql" "github.com/prometheus/prometheus/promql"
"github.com/prometheus/prometheus/util/cli" "github.com/prometheus/prometheus/util/cli"
@ -73,32 +71,53 @@ func checkConfig(t cli.Term, filename string) ([]string, error) {
return nil, fmt.Errorf("is a directory") return nil, fmt.Errorf("is a directory")
} }
content, err := ioutil.ReadFile(filename) cfg, err := config.LoadFile(filename)
if err != nil { if err != nil {
return nil, err return nil, err
} }
var cfg config.Config check := func(fn string) error {
if err := yaml.Unmarshal(content, &cfg); err != nil { // Nothing set, nothing to error on.
return nil, err if fn == "" {
return nil
}
_, err := os.Stat(fn)
return err
} }
var ruleFiles []string var ruleFiles []string
for _, rf := range cfg.RuleFiles { for _, rf := range cfg.RuleFiles {
if !filepath.IsAbs(rf) {
rf = filepath.Join(filepath.Dir(filename), rf)
}
rfs, err := filepath.Glob(rf) rfs, err := filepath.Glob(rf)
if err != nil { if err != nil {
return nil, err return nil, err
} }
// If an explicit file was given, error if it doesn't exist. // If an explicit file was given, error if it is not accessible.
if !strings.Contains(rf, "*") && len(rfs) == 0 { if !strings.Contains(rf, "*") {
return nil, fmt.Errorf("%q does not point to an existing file", rf) if len(rfs) == 0 {
return nil, fmt.Errorf("%q does not point to an existing file", rf)
}
if err := check(rfs[0]); err != nil {
return nil, fmt.Errorf("error checking rule file %q: %s", rfs[0], err)
}
} }
ruleFiles = append(ruleFiles, rfs...) ruleFiles = append(ruleFiles, rfs...)
} }
for _, scfg := range cfg.ScrapeConfigs {
if err := check(scfg.BearerTokenFile); err != nil {
return nil, fmt.Errorf("error checking bearer token file %q: %s", scfg.BearerTokenFile, err)
}
if scfg.ClientCert != nil {
if err := check(scfg.ClientCert.Cert); err != nil {
return nil, fmt.Errorf("error checking client cert file %q: %s", scfg.ClientCert.Cert, err)
}
if err := check(scfg.ClientCert.Key); err != nil {
return nil, fmt.Errorf("error checking client key file %q: %s", scfg.ClientCert.Key, err)
}
}
}
return ruleFiles, nil return ruleFiles, nil
} }

View file

@ -5,6 +5,7 @@ import (
"fmt" "fmt"
"io/ioutil" "io/ioutil"
"net/url" "net/url"
"path/filepath"
"regexp" "regexp"
"strings" "strings"
"time" "time"
@ -39,13 +40,18 @@ func Load(s string) (*Config, error) {
return cfg, nil return cfg, nil
} }
// LoadFromFile parses the given YAML file into a Config. // LoadFile parses the given YAML file into a Config.
func LoadFromFile(filename string) (*Config, error) { func LoadFile(filename string) (*Config, error) {
content, err := ioutil.ReadFile(filename) content, err := ioutil.ReadFile(filename)
if err != nil { if err != nil {
return nil, err return nil, err
} }
return Load(string(content)) cfg, err := Load(string(content))
if err != nil {
return nil, err
}
resolveFilepaths(filepath.Dir(filename), cfg)
return cfg, nil
} }
// The defaults applied before parsing the respective config sections. // The defaults applied before parsing the respective config sections.
@ -146,6 +152,30 @@ type Config struct {
original string original string
} }
// resolveFilepaths joins all relative paths in a configuration
// with a given base directory.
func resolveFilepaths(baseDir string, cfg *Config) {
join := func(fp string) string {
if len(fp) > 0 && !filepath.IsAbs(fp) {
fp = filepath.Join(baseDir, fp)
}
return fp
}
for i, rf := range cfg.RuleFiles {
cfg.RuleFiles[i] = join(rf)
}
for _, scfg := range cfg.ScrapeConfigs {
scfg.BearerTokenFile = join(scfg.BearerTokenFile)
if scfg.ClientCert != nil {
scfg.ClientCert.Cert = join(scfg.ClientCert.Cert)
scfg.ClientCert.Key = join(scfg.ClientCert.Key)
}
}
}
func checkOverflow(m map[string]interface{}, ctx string) error { func checkOverflow(m map[string]interface{}, ctx string) error {
if len(m) > 0 { if len(m) > 0 {
var keys []string var keys []string

View file

@ -27,9 +27,9 @@ var expectedConf = &Config{
}, },
RuleFiles: []string{ RuleFiles: []string{
"first.rules", "testdata/first.rules",
"second.rules", "/absolute/second.rules",
"my/*.rules", "testdata/my/*.rules",
}, },
ScrapeConfigs: []*ScrapeConfig{ ScrapeConfigs: []*ScrapeConfig{
@ -43,6 +43,8 @@ var expectedConf = &Config{
MetricsPath: DefaultScrapeConfig.MetricsPath, MetricsPath: DefaultScrapeConfig.MetricsPath,
Scheme: DefaultScrapeConfig.Scheme, Scheme: DefaultScrapeConfig.Scheme,
BearerTokenFile: "testdata/valid_token_file",
TargetGroups: []*TargetGroup{ TargetGroups: []*TargetGroup{
{ {
Targets: []clientmodel.LabelSet{ Targets: []clientmodel.LabelSet{
@ -167,8 +169,8 @@ var expectedConf = &Config{
Scheme: "http", Scheme: "http",
ClientCert: &ClientCert{ ClientCert: &ClientCert{
Cert: "valid_cert_file", Cert: "testdata/valid_cert_file",
Key: "valid_key_file", Key: "testdata/valid_key_file",
}, },
BearerToken: "avalidtoken", BearerToken: "avalidtoken",
}, },
@ -179,11 +181,11 @@ var expectedConf = &Config{
func TestLoadConfig(t *testing.T) { func TestLoadConfig(t *testing.T) {
// Parse a valid file that sets a global scrape timeout. This tests whether parsing // Parse a valid file that sets a global scrape timeout. This tests whether parsing
// an overwritten default field in the global config permanently changes the default. // an overwritten default field in the global config permanently changes the default.
if _, err := LoadFromFile("testdata/global_timeout.good.yml"); err != nil { if _, err := LoadFile("testdata/global_timeout.good.yml"); err != nil {
t.Errorf("Error parsing %s: %s", "testdata/conf.good.yml", err) t.Errorf("Error parsing %s: %s", "testdata/conf.good.yml", err)
} }
c, err := LoadFromFile("testdata/conf.good.yml") c, err := LoadFile("testdata/conf.good.yml")
if err != nil { if err != nil {
t.Fatalf("Error parsing %s: %s", "testdata/conf.good.yml", err) t.Fatalf("Error parsing %s: %s", "testdata/conf.good.yml", err)
} }
@ -250,7 +252,7 @@ var expectedErrors = []struct {
func TestBadConfigs(t *testing.T) { func TestBadConfigs(t *testing.T) {
for _, ee := range expectedErrors { for _, ee := range expectedErrors {
_, err := LoadFromFile("testdata/" + ee.filename) _, err := LoadFile("testdata/" + ee.filename)
if err == nil { if err == nil {
t.Errorf("Expected error parsing %s but got none", ee.filename) t.Errorf("Expected error parsing %s but got none", ee.filename)
continue continue

View file

@ -10,7 +10,7 @@ global:
rule_files: rule_files:
- "first.rules" - "first.rules"
- "second.rules" - "/absolute/second.rules"
- "my/*.rules" - "my/*.rules"
scrape_configs: scrape_configs:
@ -45,6 +45,8 @@ scrape_configs:
replacement: foo-${1} replacement: foo-${1}
# action defaults to 'replace' # action defaults to 'replace'
bearer_token_file: valid_token_file
- job_name: service-x - job_name: service-x

View file

@ -104,7 +104,6 @@ type Manager struct {
notificationHandler *notification.NotificationHandler notificationHandler *notification.NotificationHandler
externalURL *url.URL externalURL *url.URL
baseDir string
} }
// ManagerOptions bundles options for the Manager. // ManagerOptions bundles options for the Manager.
@ -116,7 +115,6 @@ type ManagerOptions struct {
SampleAppender storage.SampleAppender SampleAppender storage.SampleAppender
ExternalURL *url.URL ExternalURL *url.URL
BaseDir string
} }
// NewManager returns an implementation of Manager, ready to be started // NewManager returns an implementation of Manager, ready to be started
@ -131,7 +129,6 @@ func NewManager(o *ManagerOptions) *Manager {
queryEngine: o.QueryEngine, queryEngine: o.QueryEngine,
notificationHandler: o.NotificationHandler, notificationHandler: o.NotificationHandler,
externalURL: o.ExternalURL, externalURL: o.ExternalURL,
baseDir: o.BaseDir,
} }
return manager return manager
} }
@ -330,10 +327,6 @@ func (m *Manager) ApplyConfig(conf *config.Config) bool {
var files []string var files []string
for _, pat := range conf.RuleFiles { for _, pat := range conf.RuleFiles {
if !filepath.IsAbs(pat) {
pat = filepath.Join(m.baseDir, pat)
}
fs, err := filepath.Glob(pat) fs, err := filepath.Glob(pat)
if err != nil { if err != nil {
// The only error can be a bad pattern. // The only error can be a bad pattern.