103 lines
2.3 KiB
Go
103 lines
2.3 KiB
Go
package pubsubmon
|
|
|
|
import (
|
|
"encoding/json"
|
|
"errors"
|
|
"time"
|
|
|
|
"github.com/ipfs-cluster/ipfs-cluster/config"
|
|
"github.com/kelseyhightower/envconfig"
|
|
)
|
|
|
|
const configKey = "pubsubmon"
|
|
const envConfigKey = "cluster_pubsubmon"
|
|
|
|
// Default values for this Config.
|
|
const (
|
|
DefaultCheckInterval = 15 * time.Second
|
|
)
|
|
|
|
// Config allows to initialize a Monitor and customize some parameters.
|
|
type Config struct {
|
|
config.Saver
|
|
|
|
CheckInterval time.Duration
|
|
}
|
|
|
|
type jsonConfig struct {
|
|
CheckInterval string `json:"check_interval"`
|
|
}
|
|
|
|
// ConfigKey provides a human-friendly identifier for this type of Config.
|
|
func (cfg *Config) ConfigKey() string {
|
|
return configKey
|
|
}
|
|
|
|
// Default sets the fields of this Config to sensible values.
|
|
func (cfg *Config) Default() error {
|
|
cfg.CheckInterval = DefaultCheckInterval
|
|
return nil
|
|
}
|
|
|
|
// ApplyEnvVars fills in any Config fields found
|
|
// as environment variables.
|
|
func (cfg *Config) ApplyEnvVars() error {
|
|
jcfg := cfg.toJSONConfig()
|
|
|
|
err := envconfig.Process(envConfigKey, jcfg)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
return cfg.applyJSONConfig(jcfg)
|
|
}
|
|
|
|
// Validate checks that the fields of this Config have working values,
|
|
// at least in appearance.
|
|
func (cfg *Config) Validate() error {
|
|
if cfg.CheckInterval <= 0 {
|
|
return errors.New("pubsubmon.check_interval too low")
|
|
}
|
|
|
|
return nil
|
|
}
|
|
|
|
// LoadJSON sets the fields of this Config to the values defined by the JSON
|
|
// representation of it, as generated by ToJSON.
|
|
func (cfg *Config) LoadJSON(raw []byte) error {
|
|
jcfg := &jsonConfig{}
|
|
err := json.Unmarshal(raw, jcfg)
|
|
if err != nil {
|
|
logger.Error("Error unmarshaling pubsubmon monitor config")
|
|
return err
|
|
}
|
|
|
|
cfg.Default()
|
|
|
|
return cfg.applyJSONConfig(jcfg)
|
|
}
|
|
|
|
func (cfg *Config) applyJSONConfig(jcfg *jsonConfig) error {
|
|
interval, _ := time.ParseDuration(jcfg.CheckInterval)
|
|
cfg.CheckInterval = interval
|
|
|
|
return cfg.Validate()
|
|
}
|
|
|
|
// ToJSON generates a human-friendly JSON representation of this Config.
|
|
func (cfg *Config) ToJSON() ([]byte, error) {
|
|
jcfg := cfg.toJSONConfig()
|
|
|
|
return json.MarshalIndent(jcfg, "", " ")
|
|
}
|
|
|
|
func (cfg *Config) toJSONConfig() *jsonConfig {
|
|
return &jsonConfig{
|
|
CheckInterval: cfg.CheckInterval.String(),
|
|
}
|
|
}
|
|
|
|
// ToDisplayJSON returns JSON config as a string.
|
|
func (cfg *Config) ToDisplayJSON() ([]byte, error) {
|
|
return config.DisplayJSON(cfg.toJSONConfig())
|
|
}
|