Implement d.GetValue()

This commit is contained in:
Reza Behzadan 2024-02-18 16:05:30 +03:30
parent 0cd9662dfb
commit f73fba6a9c
4 changed files with 78 additions and 5 deletions

View File

@ -1,5 +1,10 @@
package dict package dict
import (
"fmt"
"strings"
)
type Dict map[string]interface{} type Dict map[string]interface{}
func New() Dict { func New() Dict {
@ -15,3 +20,44 @@ func (d Dict) HasKey(key string) bool {
_, ok := d[key] _, ok := d[key]
return ok return ok
} }
func (d Dict) Print() {
pp, err := d.DumpJsonStrIndent("", " ")
if err != nil {
panic(err)
}
fmt.Println(pp)
}
func (d Dict) GetValue(path string) Dict {
var value Dict
current := make(Dict)
g := make(Dict)
current.CopyFrom(d)
keys := strings.Split(path, ".")
lastIndex := len(keys) - 1
for i, key := range keys {
if current.HasKey("globals") {
g.MergeWith(current["globals"].(Dict))
current.SoftMergeWith(g)
}
if !current.HasKey(key) {
value = nil
break
}
v := current[key]
if i == lastIndex {
if vv, ok := v.(Dict); ok {
vv.SoftMergeWith(g)
value = vv
} else {
value = Dict{"value": v}
}
break
}
if IsDict(v) {
current = v.(Dict)
}
}
return value
}

View File

@ -1,6 +1,7 @@
package dict package dict
import ( import (
"reflect"
"testing" "testing"
) )
@ -52,3 +53,19 @@ func TestIsDict(t *testing.T) {
t.Errorf("Expected false, got %v", r) t.Errorf("Expected false, got %v", r)
} }
} }
func TestGeValue(t *testing.T) {
testCases := []dictStrToDictTestCase{}
loadYamlFile("test_data/getvalue_cases.yaml", &testCases)
for _, testCase := range testCases {
copy := make(Dict)
copy.CopyFrom(testCase.Arg1)
result := testCase.Arg1.GetValue(testCase.Arg2)
if !reflect.DeepEqual(testCase.Result, result) {
t.Errorf("Expected dict to be %v, got %v", testCase.Result, result)
}
if !reflect.DeepEqual(testCase.Arg1, copy) {
t.Errorf("Expected dict to be %v, got %v", copy, testCase.Arg1)
}
}
}

View File

@ -14,11 +14,11 @@ type dictDictToDictTestCase struct {
Result Dict `yaml:"result"` Result Dict `yaml:"result"`
} }
type dictStrToAnyTestCase struct { type dictStrToDictTestCase struct {
Name string `yaml:"name"` Name string `yaml:"name"`
Arg1 Dict `yaml:"arg1"` Arg1 Dict `yaml:"arg1"`
Arg2 string `yaml:"arg2"` Arg2 string `yaml:"arg2"`
Result any `yaml:"result"` Result Dict `yaml:"result"`
} }
func loadYamlFile(fn string, out interface{}) { func loadYamlFile(fn string, out interface{}) {

16
main.go
View File

@ -1,9 +1,19 @@
package main package main
import ( import (
"fmt" "git.behzadan.ir/reza/GoDict/internal/dict"
) )
func main() { func load(fn string) dict.Dict {
fmt.Println("hi") d, err := dict.LoadYaml(fn)
if err != nil {
panic(err)
}
return d
}
func main() {
d := load("internal/dict/test_data/dict4.yaml")
v := d.GetValue("nginx.sites.www")
v.Print()
} }