英文:
How to get a struct tag without having to instantiate the struct
问题
type User struct{
Name string `json:"name"`
}
func main() {
t := reflect.TypeOf(User{})
}
可以在不实例化它的情况下捕获标签的值。例如,捕获标签"json"的值,而无需实例化User结构体。
英文:
type User struct{
Name string `json:"name"`
}
func main() {
t := reflect.TypeOf(User{})
}
It is possible to capture the tag's values without instantiating it. For example capturing the value of the tag "json" without having to instantiate the User structure.
答案1
得分: 4
在几乎所有情况下,创建一个值并不是一个性能问题,但是你可以通过使用空指针值来避免创建一个值。
t := reflect.TypeOf((*User)(nil)).Elem() // Elem "dereferences" the pointer type.
在这里使用指针模式的原因是这种语法适用于所有类型。特别是,它处理接口类型:
type I interface{}
// 一些开发者可能期望以下代码返回 I 的类型,但实际上它返回的是 nil。
t := reflect.TypeOf(I(nil))
// 使用指针模式可以返回 I 的类型。
t = reflect.TypeOf((*I)(nil)).Elem()
指针语法对于所有类型都是相同的,与该类型的零值如何书写无关:
t = reflect.TypeOf(User{})
t = reflect.TypeOf(uint(0))
t = reflect.TypeOf(myString(""))
使用 t = reflect.TypeOf((*T)(nil)).Elem()
,其中 T
是任意类型:
t = reflect.TypeOf((*User)(nil)).Elem()
t = reflect.TypeOf((*uint)(nil)).Elem()
t = reflect.TypeOf((*myString)(nil)).Elem()
英文:
Creating a value is not a performance issue in almost all scenarios, but you can avoid creating a value by using a nil pointer value.
t := reflect.TypeOf((*User)(nil)).Elem() // Elem "dereferences" the pointer type.
The reason to use the pointer pattern shown here is that the one syntax works with every type. In particular, it handles interface types:
type I interface{}
// Naive developers might expect the following
// to return the type for I, but it actually
// returns nil.
t := reflect.TypeOf(I(nil))
// The pointer pattern returns the type for I.
t = reflect.TypeOf((*I)(nil)).Elem()
The pointer syntax is the same for all types independent of how the zero value is written for the type:
t = reflect.TypeOf(User{})
t = reflect.TypeOf(uint(0))
t = reflect.TypeOf(myString(""))
Use t = reflect.TypeOf((*T)(nil)).Elem()
where T
is any type:
t = reflect.TypeOf((*User)(nil)).Elem()
t = reflect.TypeOf((*uint)(nil)).Elem()
t = reflect.TypeOf((*myString)(nil)).Elem()
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论