英文:
How to pass a type as a parameter
问题
我有一个解析 JSON 配置的代码:
import (
"encoding/json"
"os"
"fmt"
)
type Configuration struct {
Users []string
Groups []string
}
type AnotherConfiguration struct {
Names []string
}
file, _ := os.Open("conf.json")
decoder := json.NewDecoder(file)
configuration := Configuration{}
err := decoder.Decode(&configuration)
if err != nil {
fmt.Println("error:", err)
}
fmt.Println(configuration.Users)
如你所见,我有两种不同的类型 Configuration 和 AnotherConfiguration。
我无法弄清楚如何创建一个通用函数,该函数可以返回任何类型的配置(Configuration 或 AnotherConfiguration)。
类似这样的函数:
func make(typename) {
file, _ := os.Open("conf.json")
decoder := json.NewDecoder(file)
configuration := typename{}
err := decoder.Decode(&configuration)
if err != nil {
fmt.Println("error:", err)
}
return configuration
}
英文:
I have the code which parses json config:
import (
"encoding/json"
"os"
"fmt"
)
type Configuration struct {
Users []string
Groups []string
}
type AnotherConfiguration struct {
Names []string
}
file, _ := os.Open("conf.json")
decoder := json.NewDecoder(file)
configuration := Configuration{}
err := decoder.Decode(&configuration)
if err != nil {
fmt.Println("error:", err)
}
fmt.Println(configuration.Users)
As you can see, I have two different types Configuration and AnotherConfiguration.
I can't quite figure out how to create a generic function, which would return a config for any type (Configuration or AnotherConfiguration).
Something like this:
func make(typename) {
file, _ := os.Open("conf.json")
decoder := json.NewDecoder(file)
configuration := typename{}
err := decoder.Decode(&configuration)
if err != nil {
fmt.Println("error:", err)
}
return configuration
}
答案1
得分: 5
请注意,我将为您提供代码的中文翻译,但不会执行代码或回答与代码相关的问题。以下是您提供的代码的翻译:
编写一个解码函数,接受一个指向要解码的值的指针:
func decode(v interface{}) {
file, _ := os.Open("conf.json")
defer file.Close()
decoder := json.NewDecoder(file)
err := decoder.Decode(v)
if err != nil {
fmt.Println("错误:", err)
}
}
像这样调用它:
var configuration Configuration
decode(&configuration)
var another AnotherConfiguration
decode(&another)
顺便提一下,我将make
重命名为decode
,以避免与内置函数make重名。
英文:
Write your decode function to accept a pointer to the value to be decoded:
func decode(v interface{}) {
file, _ := os.Open("conf.json")
defer file.Close()
decoder := json.NewDecoder(file)
err := decoder.Decode(v)
if err != nil {
fmt.Println("error:", err)
}
}
Call it like this:
var configuration Configuration
decode(&configuration)
var another AnotherConfiguration
decode(&another)
BTW, I renamed make
to decode
to avoid shadowing the builtin function.
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论