8

我在实现以下代码时遇到了错误:

package main

import (
    "fmt" 
)

type Struct struct {
    a int
    b int
}

func Modifier(ptr *Struct, ptrInt *int) int {
    *ptr.a++
    *ptr.b++
    *ptrInt++
    return *ptr.a + *ptr.b + *ptrInt
}

func main() { 
    structure := new(Struct)
    i := 0         
    fmt.Println(Modifier(structure, &i))
}

这给了我一个关于“ptr.a(类型 int)的无效间接......”的错误。还有为什么编译器不给我关于ptrInt的错误?提前致谢。

4

1 回答 1

13

做就是了

func Modifier(ptr *Struct, ptrInt *int) int {
    ptr.a++
    ptr.b++
    *ptrInt++
    return ptr.a + ptr.b + *ptrInt
}

++您实际上是在尝试应用*(ptr.a)并且ptr.a是一个 int,而不是指向 int 的指针。

您可以使用(*ptr).a++,但这不是必需的,因为 Go 会自动解决ptr.aif是一个指针,这就是您在 Go 中ptr没有的原因。->

于 2012-10-17T09:55:45.300 回答