package main
import "fmt"
type A struct {
a int32
B *B
}
type B struct {
b int32
}
func main() {
a := &A{
a: 1,
B: &B{
b: 2,
},
}
fmt.Printf("v ==== %+v \n", a)
}
//ret: v ==== &{a:1 B:0xc42000e204}
//??? how to print B's content but not pointer
最佳答案
基本上,你必须自己做。有两种方法可以做到这一点。要么只打印你想要的东西,要么通过添加 Stringer
为结构实现 func String() string
接口(interface),当你使用格式 %v
时会调用它。您还可以以结构格式引用每个值。
实现 Stringer
接口(interface)是始终获得所需内容的最可靠方法。而且您只需在每个结构中执行一次,而不是在打印时按格式字符串执行。
https://play.golang.org/p/PKLcPFCqOe
package main
import "fmt"
type A struct {
a int32
B *B
}
type B struct{ b int32 }
func (aa *A) String() string {
return fmt.Sprintf("A{a:%d, B:%v}",aa.a,aa.B)
}
func (bb *B) String() string {
return fmt.Sprintf("B{b:%d}",bb.b)
}
func main() {
a := &A{a: 1, B: &B{b: 2}}
// using the Stringer interface
fmt.Printf("v ==== %v \n", a)
// or just print it yourself however you want.
fmt.Printf("v ==== A{a:%d, B:B{b:%d}}\n", a.a, a.B.b)
// or just reference the values in the struct that are structs themselves
// but this can get really deep
fmt.Printf("v ==== A{a:%d, B:%v}", a.a, a.B)
}
关于pointers - golang如何用指针打印结构值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/43259971/