英文:
How Do I Parse a JSON file into a struct with Go
问题
我正在尝试通过创建一个JSON文件并将其解析为结构体来配置我的Go程序:
var settings struct {
serverMode bool
sourceDir string
targetDir string
}
func main() {
// 然后是配置文件设置
configFile, err := os.Open("config.json")
if err != nil {
printError("打开配置文件", err.Error())
}
jsonParser := json.NewDecoder(configFile)
if err = jsonParser.Decode(&settings); err != nil {
printError("解析配置文件", err.Error())
}
fmt.Printf("%v %s %s", settings.serverMode, settings.sourceDir, settings.targetDir)
return
}
config.json文件:
{
"serverMode": true,
"sourceDir": ".",
"targetDir": "."
}
程序编译和运行时没有任何错误,但打印语句输出:
false
(false和两个空字符串)
我也尝试过使用`json.Unmarshal(..)`,但结果相同。
如何以填充结构体值的方式解析JSON?
<details>
<summary>英文:</summary>
I'm trying to configure my Go program by creating a JSON file and parsing it into a struct:
var settings struct {
serverMode bool
sourceDir string
targetDir string
}
func main() {
// then config file settings
configFile, err := os.Open("config.json")
if err != nil {
printError("opening config file", err.Error())
}
jsonParser := json.NewDecoder(configFile)
if err = jsonParser.Decode(&settings); err != nil {
printError("parsing config file", err.Error())
}
fmt.Printf("%v %s %s", settings.serverMode, settings.sourceDir, settings.targetDir)
return
}
The config.json file:
{
"serverMode": true,
"sourceDir": ".",
"targetDir": "."
}
The Program compiles and runs without any errors, but the print statement outputs:
false
(false and two empty strings)
I've also tried with `json.Unmarshal(..)` but had the same result.
How do I parse the JSON in a way that fills the struct values?
</details>
# 答案1
**得分**: 53
你没有导出你的结构体元素。它们都以小写字母开头。
var settings struct {
ServerMode bool `json:"serverMode"`
SourceDir string `json:"sourceDir"`
TargetDir string `json:"targetDir"`
}
将结构体元素的首字母改为大写以导出它们。JSON编码器/解码器不会使用未导出的结构体元素。
<details>
<summary>英文:</summary>
You're not exporting your struct elements. They all begin with a lower case letter.
var settings struct {
ServerMode bool `json:"serverMode"`
SourceDir string `json:"sourceDir"`
TargetDir string `json:"targetDir"`
}
Make the first letter of your stuct elements upper case to export them. The JSON encoder/decoder wont use struct elements which are not exported.
</details>
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论