语言: Go
我正在练习如何读取和打印yaml文件数据,但无法这样做,代码正在通过。有人能帮忙吗?
Yaml文件:
ENV:
 foo: test
 boo: test-123-tet222代码:
package test
import (
    "testing"
    "fmt"
    "io/ioutil"
    "log"
    "gopkg.in/yaml.v3"
)
type config struct {
    foo string 
    boo string 
}
func TestTerraformAzureCosmosDBExample(t *testing.T) {
 yFile, err := ioutil.ReadFile("config.yaml")
 if err != nil {
     log.Fatal(err)
 }
 data := make(map[string]config)
 err2 := yaml.Unmarshal(yFile, &data)
 if err2 != nil {
      log.Fatal(err2)
 }
 for k, v := range data {
      fmt.Printf(k, v)
 }
}预期输出:
 foo: test
 boo: test-123-tet222实际输出:
C:\foo\boo>go test -v
=== RUN   TestTerraformAzureCosmosDBExample
ENV%!(EXTRA test.config={ })--- PASS: TestTerraformAzureCosmosDBExample (0.00s)
PASS
ok      foobo_test   0.179s发布于 2021-07-27 07:49:53
您的config结构缺少yaml标记。按以下方式编辑它。另外,Printf方法需要一个格式化程序字符串,也可以按如下方式编辑。
import (
    "fmt"
    "gopkg.in/yaml.v3"
    "io/ioutil"
    "log"
    "testing"
)
type config struct {
    Foo string `yaml:"foo"`
    Boo string `yaml:"boo"`
}
func TestTerraformAzureCosmosDBExample(t *testing.T) {
    yFile, err := ioutil.ReadFile("config.yaml")
    if err != nil {
        log.Fatal(err)
    }
    data := make(map[string]config)
    err = yaml.Unmarshal(yFile, &data)
    if err != nil {
        log.Fatal(err)
    }
    for k, v := range data {
        fmt.Printf(`key: %v, value: %v`, k,v)
    }
}给出输出:
key: ENV, value: {test test-123-tet222}--- PASS: TestTerraformAzureCosmosDBExample (0.00s)发布于 2021-07-27 07:45:08
您正在迭代data,这是一个map[string]config。
该对象有一个键,ENV,该键的值是您要查找的config对象。
试着:
fmt.Printf("Foo: %S\n", data["ENV"].Foo)
fmt.Printf("Boo: %S\n", data["ENV"].Boo)https://stackoverflow.com/questions/68540748
复制相似问题