2021-03-14 05:51:08 +00:00
|
|
|
package lumecmd
|
|
|
|
|
|
|
|
import (
|
2021-03-14 18:51:55 +00:00
|
|
|
"errors"
|
|
|
|
"fmt"
|
2021-03-14 05:51:08 +00:00
|
|
|
"os"
|
|
|
|
"path"
|
2021-03-15 03:11:12 +00:00
|
|
|
|
|
|
|
"github.com/BurntSushi/toml"
|
2021-03-14 05:51:08 +00:00
|
|
|
)
|
|
|
|
|
|
|
|
const lumercFile string = ".lumerc"
|
|
|
|
|
2021-03-14 18:51:55 +00:00
|
|
|
type Config struct {
|
|
|
|
AccessToken string `toml:"access_token"`
|
|
|
|
OutputFormat string `toml:"output_format"`
|
|
|
|
Colors map[string][]float32 `toml:"colors"`
|
|
|
|
}
|
|
|
|
|
|
|
|
// Validate configuration struct
|
|
|
|
func (c *Config) Validate() error {
|
|
|
|
var err error
|
|
|
|
if c.AccessToken == "" {
|
|
|
|
err = errors.New("access_token is not set")
|
|
|
|
}
|
|
|
|
|
|
|
|
if err = c.validateColors(); err != nil {
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
|
|
|
func (c *Config) validateColors() (err error) {
|
|
|
|
if len(c.Colors) > 0 {
|
|
|
|
for name, hsb := range c.Colors {
|
|
|
|
if len(hsb) != 3 {
|
|
|
|
return fmt.Errorf("color '%s' needs three values", name)
|
|
|
|
}
|
|
|
|
h, s, b := hsb[0], hsb[1], hsb[2]
|
|
|
|
if h < 0 || h > 360 {
|
|
|
|
return fmt.Errorf("color '%s' hue value must be between 0.0-360.0", name)
|
|
|
|
}
|
|
|
|
if s < 0 || b > 1 {
|
|
|
|
return fmt.Errorf("color '%s' saturation value must be between 0.0-1.0", name)
|
|
|
|
}
|
|
|
|
if b < 0 || b > 1 {
|
|
|
|
return fmt.Errorf("color '%s' brightness value must be between 0.0-1.0", name)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
2021-03-15 03:11:12 +00:00
|
|
|
func LoadConfig(s string) (Config, error) {
|
|
|
|
var err error
|
|
|
|
var c Config
|
|
|
|
|
|
|
|
if _, err := toml.Decode(s, &c); err != nil {
|
|
|
|
err = fmt.Errorf("fatal: failed to parse; %w", err)
|
|
|
|
}
|
|
|
|
|
|
|
|
return c, err
|
|
|
|
}
|
|
|
|
|
|
|
|
func LoadConfigFile(configPath string) (Config, error) {
|
|
|
|
var err error
|
|
|
|
var c Config
|
|
|
|
|
|
|
|
if _, err := toml.DecodeFile(configPath, &c); err != nil {
|
|
|
|
err = fmt.Errorf("fatal: failed to parse %s; %w", configPath, err)
|
|
|
|
}
|
|
|
|
|
|
|
|
return c, err
|
|
|
|
}
|
|
|
|
|
2021-03-14 05:51:08 +00:00
|
|
|
func getConfigPath() string {
|
|
|
|
var tryPath, configPath string
|
|
|
|
|
|
|
|
// ~/.lumerc
|
|
|
|
homeDir, err := os.UserHomeDir()
|
|
|
|
if err == nil {
|
|
|
|
tryPath = path.Join(homeDir, lumercFile)
|
|
|
|
if _, err := os.Stat(tryPath); !os.IsNotExist(err) {
|
|
|
|
configPath = tryPath
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// ./.lumerc
|
|
|
|
cwd, err := os.Getwd()
|
|
|
|
if err == nil {
|
|
|
|
tryPath = path.Join(cwd, lumercFile)
|
|
|
|
if _, err := os.Stat(tryPath); !os.IsNotExist(err) {
|
|
|
|
configPath = tryPath
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
return configPath
|
|
|
|
}
|