我有下面的示例代码。
<html>
<body>
<div class="banner"></div>
</body>
</html>
问题是,为什么我必须在type Apple struct {
Color string
}
//In this way, the code runs just fine.
func main(){
var test = 6
TestTest(&test)
fmt.Println(test)
a := Apple{"red"}
Eat(&a)
fmt.Println(a.Color)
}
func TestTest(num *int) {
*num = *num + 2
}
func Eat(a *Apple) {
a.Color = "green"
}
变量之前加一个星号(*),而不是num
变量?
如果我对a.Color
这样做,它会显示
a.Color(类型字符串)的无效间接值
或者如果我从a.Color
中删除了一个星星(*),它会说
无效操作:num + 2(类型不匹配的* int和int)
这让我感到困惑,有人可以解释为什么吗?
答案 0 :(得分:5)
这是两种不同的情况:
案例1
num
是一个指向int的指针,因此您需要将整数值添加到num
所指向的地址所存储的值上。因此,您要取消引用num
指针以获取存储在其中的值为:
func TestTest(num *int) {
*num = *num + 2 // dereference the pointer to get the value.
}
案例2
您正在将字符串值分配给不是指针的Apple结构的Color字段。但是您使用的是指向结构的指针,而不是指向字段的指针。这就是为什么您可以分配这样的值的原因:
func Eat(a *Apple) { // a is the pointer to struct.
a.Color = "green"
}
现在,如果要生成与第一种情况相同的错误,请在结构内部创建一个指针类型Color域,如下所示:
type Apple struct {
Color *string // this is the pointer value which will throw the same error in your current implementation.
}
使用结构时尝试将指针类型值分配给非指针变量时,Go playground上的错误代码。
解决方案
要在结构中使用指针字段的情况下设置值,请使用反射为:
package main
import (
"fmt"
"reflect"
)
//I have my sample code like this.
type Apple struct {
Color *string
}
//In this way, the code runs just fine.
func main() {
var test = 6
TestTest(&test)
fmt.Println(test)
point := "red"
a := Apple{&point}
Eat(&a)
fmt.Println(a.Color)
}
func TestTest(num *int) {
*num = *num + 2
}
func Eat(a *Apple) {
str := "green"
r := reflect.ValueOf(a)
elm := r.Elem().FieldByName("Color")
elm.Set(reflect.ValueOf(&str))
fmt.Printf("%+v", (*a).Color)
}
要注意的另一件事是反射的值实际上是reflect.Ptr
,所以我们可以做的是我们可以遍历struct字段来获取值,然后使用reflect.Indirect
来获取反射的值。指针类型颜色字段。
func Eat(a *Apple) {
str := "green"
r := reflect.ValueOf(a).Elem()
elm := r.FieldByName("Color")
elm.Set(reflect.ValueOf(&str))
fmt.Printf("%+v\n", (*a).Color)
for i := 0; i < r.NumField(); i++ {
valueField := r.Field(i)
fmt.Println(reflect.Indirect(valueField))
}
// or use FieldByName to get the value of a field.
st := "Color"
fmt.Println(reflect.Indirect(reflect.ValueOf(a).Elem().FieldByName(st)))
}
答案 1 :(得分:5)
因为Go在点属性之前自动取消了对指针的引用。
您也可以通过以下方式手动进行操作:
(*a).Color = "green"
您的代码失败可能是因为您没有使用括号,并且它试图取消引用Color属性而不是其自身。