如何设置并获得Golang结构领域?(how to set and get fields in Go

2019-06-17 15:55发布

创造这样的结构后:

type Foo struct {
   name string        

}
func (f Foo) SetName(name string){
    f.name=name
}

func (f Foo) GetName string (){
   return f.name
}

如何创建富的新实例,并设置和获取的名字吗? 我试过如下:

p:=new(Foo)
p.SetName("Abc")
name:=p.GetName()
fmt.Println(name)

没有被印刷,因为名称为空。 那么,如何设置和获取一个结构中的一个元素?

Answer 1:

评论(和工作)例如:

package main

import "fmt"

type Foo struct {
    name string
}

// SetName receives a pointer to Foo so it can modify it.
func (f *Foo) SetName(name string) {
    f.name = name
}

// Name receives a copy of Foo since it doesn't need to modify it.
func (f Foo) Name() string {
    return f.name
}

func main() {
    // Notice the Foo{}. The new(Foo) was just a syntactic sugar for &Foo{}
    // and we don't need a pointer to the Foo, so I replaced it.
    // Not relevant to the problem, though.
    p := Foo{}
    p.SetName("Abc")
    name := p.Name()
    fmt.Println(name)
}

测试并采取去参观 ,以了解更多有关方法和指针,与围棋的根本基础。



Answer 2:

getter和setter方法都不地道为Go。 特别是对于一个域x吸气未命名的getX只是X.见http://golang.org/doc/effective_go.html#Getters

如果制定者不提供特殊的逻辑,比如验证逻辑,没有什么不妥出口领域,并没有提供一个二传手,也不是一个getter方法。 (这只是觉得错的人有一个Java的背景,但事实并非如此。)



Answer 3:

例如,

package main

import "fmt"

type Foo struct {
    name string
}

func (f *Foo) SetName(name string) {
    f.name = name
}

func (f *Foo) Name() string {
    return f.name
}

func main() {
    p := new(Foo)
    p.SetName("Abc")
    name := p.Name()
    fmt.Println(name)
}

输出:

Abc


文章来源: how to set and get fields in Golang structs?
标签: struct get set go