在这个实例中,将展示如何使用指针,并使用2
相对应的函数:zeroval
和zeroptr
。 zeroval()
函数有一个int
参数,因此参数将通过值传递给它。 zeroval
将获得ival
的拷贝,它与调用函数中的值有所不同。
相反,zeroptr
有一个* int
参数,这意味着它需要一个int
指针。函数体中的* iptr
代码将指针从存储器地址解引用到该地址处的当前值。将值分配给取消引用的指针会更改引用地址处的值。
&i
语法获取了i
变量的存储器地址,即指向i
的指针。指针也可以打印。
在main
函数中zeroval
不会改变i
的值,但zeroptr
会。是因为它有一个对该变量的内存地址的引用。
所有的示例代码,都放在
F:\worksp\golang
目录下。安装Go编程环境请参考:http://www.yiibai.com/go/go_environment.html
pointers.go
的完整代码如下所示 -
package main
import "fmt"
// We'll show how pointers work in contrast to values with
// 2 functions: `zeroval` and `zeroptr`. `zeroval` has an
// `int` parameter, so arguments will be passed to it by
// value. `zeroval` will get a copy of `ival` distinct
// from the one in the calling function.
func zeroval(ival int) {
ival = 0
}
// `zeroptr` in contrast has an `*int` parameter, meaning
// that it takes an `int` pointer. The `*iptr` code in the
// function body then _dereferences_ the pointer from its
// memory address to the current value at that address.
// Assigning a value to a dereferenced pointer changes the
// value at the referenced address.
func zeroptr(iptr *int) {
*iptr = 0
}
func main() {
i := 1
fmt.Println("initial:", i)
zeroval(i)
fmt.Println("zeroval:", i)
// The `&i` syntax gives the memory address of `i`,
// i.e. a pointer to `i`.
zeroptr(&i)
fmt.Println("zeroptr:", i)
// Pointers can be printed too.
fmt.Println("pointer:", &i)
}
执行上面代码,将得到以下输出结果 -
F:\worksp\golang>go run pointers.go
initial: 1
zeroval: 1
zeroptr: 0
pointer: 0xc04203c1c0