golang具有指针的指针还是指针的引用功能?

Hi everyone in Golang what will you do if you need to change the pointer (change where the pointer points to rather than change the value where this pointer points to). I know it is really easy in C++ by using reference, like"

void myFunc(Type*& ptr)
{
    ptr = anotherPointer;
}

int main
{
    Type* ptr = &someValue;
    myFunc(ptr); // ptr is moved
}

Or equivalently in C, use pointer's pointer:

void myFunc(Type** ptrsptr)
{
    *ptrsptr = anotherPointer;
}

int main
{
    Type* ptr = &someValue;
    myFunc(&ptr); // ptr is moved
}

I wonder if Golang has this neat feature, or if not, the only way is to set at function's return?

You can use a pointer to a pointer, just like in C

http://play.golang.org/p/vE-3otpKkb

package main

import "fmt"

type Type struct{}

var anotherPointer = &Type{}

func myFunc(ptrsptr **Type) {
    *ptrsptr = anotherPointer
}

func main() {
    ptr := &Type{}
    fmt.Printf("%p
", ptr)
    myFunc(&ptr) // ptr is moved
    fmt.Printf("%p
", ptr)
}