fathom/pkg/config/config.go

90 lines
2.0 KiB
Go
Raw Normal View History

2018-05-15 11:54:36 +00:00
package config
import (
"math/rand"
"os"
"path/filepath"
2018-07-29 16:32:04 +00:00
"net/url"
2018-05-15 11:54:36 +00:00
"github.com/joho/godotenv"
"github.com/kelseyhightower/envconfig"
log "github.com/sirupsen/logrus"
"github.com/usefathom/fathom/pkg/datastore/sqlstore"
)
2018-05-21 09:54:01 +00:00
// Config wraps the configuration structs for the various application parts
2018-05-15 11:54:36 +00:00
type Config struct {
Database *sqlstore.Config
2018-05-21 09:54:01 +00:00
Secret string
2018-05-15 11:54:36 +00:00
}
// LoadEnv loads env values from the supplied file
func LoadEnv(file string) {
if file == "" {
log.Warn("Missing configuration file. Using defaults.")
return
}
absFile, _ := filepath.Abs(file)
_, err := os.Stat(absFile)
fileNotExists := os.IsNotExist(err)
if fileNotExists {
log.Warnf("Error reading configuration. File `%s` does not exist.", file)
return
}
log.Printf("Configuration file: %s", absFile)
// read file into env values
err = godotenv.Load(absFile)
if err != nil {
log.Fatalf("Error parsing configuration file: %s", err)
2018-05-15 11:54:36 +00:00
}
}
// Parse environment into a Config struct
func Parse() *Config {
var cfg Config
2018-05-15 11:54:36 +00:00
// with config file loaded into env values, we can now parse env into our config struct
err := envconfig.Process("Fathom", &cfg)
2018-05-15 11:54:36 +00:00
if err != nil {
log.Fatalf("Error parsing configuration from environment: %s", err)
2018-05-15 11:54:36 +00:00
}
2018-07-29 16:32:04 +00:00
if cfg.Database.URL != "" {
u, err := url.Parse(cfg.Database.URL)
if err != nil {
log.Fatalf("Error parsing DATABASE_URL from environment: %s", err)
}
cfg.Database.Driver = u.Scheme
}
2018-05-15 11:54:36 +00:00
// alias sqlite to sqlite3
if cfg.Database.Driver == "sqlite" {
cfg.Database.Driver = "sqlite3"
}
// use absolute path to sqlite3 database
if cfg.Database.Driver == "sqlite3" {
cfg.Database.Name, _ = filepath.Abs(cfg.Database.Name)
}
2018-05-15 11:54:36 +00:00
// if secret key is empty, use a randomly generated one
if cfg.Secret == "" {
cfg.Secret = randomString(40)
}
return &cfg
}
func randomString(len int) string {
bytes := make([]byte, len)
for i := 0; i < len; i++ {
bytes[i] = byte(65 + rand.Intn(25)) //A=65 and Z = 65+25
}
return string(bytes)
}