2023-11-04 12:20:13 -06:00
|
|
|
package cli
|
2023-11-04 11:30:03 -06:00
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
"os"
|
|
|
|
"path/filepath"
|
|
|
|
|
|
|
|
"github.com/go-yaml/yaml"
|
|
|
|
)
|
|
|
|
|
|
|
|
type Config struct {
|
2023-11-21 21:45:06 -07:00
|
|
|
ModelDefaults *struct {
|
|
|
|
SystemPrompt *string `yaml:"systemPrompt" default:"You are a helpful assistant."`
|
|
|
|
} `yaml:"modelDefaults"`
|
2023-11-18 18:14:00 -07:00
|
|
|
OpenAI *struct {
|
|
|
|
APIKey *string `yaml:"apiKey" default:"your_key_here"`
|
|
|
|
DefaultModel *string `yaml:"defaultModel" default:"gpt-4"`
|
|
|
|
DefaultMaxLength *int `yaml:"defaultMaxLength" default:"256"`
|
2023-11-04 11:30:03 -06:00
|
|
|
} `yaml:"openai"`
|
2023-11-18 22:00:59 -07:00
|
|
|
Chroma *struct {
|
|
|
|
Style *string `yaml:"style" default:"onedark"`
|
|
|
|
Formatter *string `yaml:"formatter" default:"terminal16m"`
|
|
|
|
} `yaml:"chroma"`
|
2023-11-04 11:30:03 -06:00
|
|
|
}
|
|
|
|
|
2023-11-21 20:17:13 -07:00
|
|
|
func ConfigDir() string {
|
2023-11-04 11:30:03 -06:00
|
|
|
var configDir string
|
|
|
|
|
|
|
|
xdgConfigHome := os.Getenv("XDG_CONFIG_HOME")
|
|
|
|
if xdgConfigHome != "" {
|
|
|
|
configDir = filepath.Join(xdgConfigHome, "lmcli")
|
|
|
|
} else {
|
|
|
|
userHomeDir, _ := os.UserHomeDir()
|
|
|
|
configDir = filepath.Join(userHomeDir, ".config/lmcli")
|
|
|
|
}
|
|
|
|
|
|
|
|
os.MkdirAll(configDir, 0755)
|
|
|
|
return configDir
|
|
|
|
}
|
|
|
|
|
2023-11-05 10:44:16 -07:00
|
|
|
func NewConfig() (*Config, error) {
|
2023-11-21 20:17:13 -07:00
|
|
|
configFile := filepath.Join(ConfigDir(), "config.yaml")
|
2023-11-18 18:14:00 -07:00
|
|
|
shouldWriteDefaults := false
|
|
|
|
c := &Config{}
|
2023-11-04 11:30:03 -06:00
|
|
|
|
|
|
|
configBytes, err := os.ReadFile(configFile)
|
|
|
|
if os.IsNotExist(err) {
|
2023-11-18 18:14:00 -07:00
|
|
|
shouldWriteDefaults = true
|
|
|
|
} else if err != nil {
|
|
|
|
return nil, fmt.Errorf("Could not read config file: %v", err)
|
|
|
|
} else {
|
|
|
|
yaml.Unmarshal(configBytes, c)
|
|
|
|
}
|
2023-11-04 11:30:03 -06:00
|
|
|
|
2023-11-18 18:14:00 -07:00
|
|
|
shouldWriteDefaults = SetStructDefaults(c)
|
|
|
|
if shouldWriteDefaults {
|
2023-11-04 11:30:03 -06:00
|
|
|
file, err := os.Create(configFile)
|
|
|
|
if err != nil {
|
2023-11-05 10:44:16 -07:00
|
|
|
return nil, fmt.Errorf("Could not open config file for writing: %v", err)
|
2023-11-04 11:30:03 -06:00
|
|
|
}
|
2023-11-18 18:14:00 -07:00
|
|
|
bytes, _ := yaml.Marshal(c)
|
2023-11-04 11:30:03 -06:00
|
|
|
_, err = file.Write(bytes)
|
|
|
|
if err != nil {
|
2023-11-05 10:44:16 -07:00
|
|
|
return nil, fmt.Errorf("Could not save default configuration: %v", err)
|
2023-11-04 11:30:03 -06:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2023-11-18 18:14:00 -07:00
|
|
|
return c, nil
|
2023-11-04 11:30:03 -06:00
|
|
|
}
|