-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathLoadKvp.go
53 lines (43 loc) · 1.53 KB
/
LoadKvp.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
//! To load a .env file
//! Call Load(<filename>, os.Setenv), eg `Load(".env", os.Setenv)`
//!
//! You can use custom setter for logging, for example to print env vars that are being set, use
//! Load(<filename>, func (k, v string) error { fmt.Println("Set: ", k, ":=", v); return os.Getenv(k, v) })
//!
//! or you can use this to load config options as well
package utils
import (
"os"
"bytes"
"errors"
"unsafe"
"strconv"
)
// Loads the provided env file.
func Load(file string, setter func (k, v string) error) error {
// BytesToString converts a slice of bytes to string without memory allocation.
BytesToString := func (b []byte) string {
return unsafe.String(unsafe.SliceData(b), len(b))
}
data, err := os.ReadFile(file)
if err != nil {
return errors.New("error reading env file `" + file + "`\n" + err.Error())
}
for _, line := range bytes.Split(data, []byte{'\n'}) {
line = bytes.TrimLeft(line, " \t")
if len(line) == 0 || line[0] == '#' { continue }
i := bytes.IndexByte(line, '=')
if i == -1 || i+1 >= len(line) { continue }
varName := BytesToString(line[:i])
varVal := BytesToString(line[i+1:])
if varVal[0] == '"' || varVal[0] == '\'' {
if varVal, err = strconv.Unquote(varVal); err != nil {
return errors.New("Unescaping error for `"+ varName +"` and val `" + varVal + "`\n"+ err.Error())
}
}
if err := setter(varName, varVal); err != nil {
return errors.New("Error setting `"+ varName +"` to `" + varVal + "`\n"+ err.Error())
}
}
return nil
}