awesome-patterns/interface-semantics/main.go
2018-01-16 11:32:21 +10:00

37 lines
656 B
Go
Raw Blame History

This file contains ambiguous Unicode characters

This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.

package main
import "fmt"
// interface in Go provides both a value and pointer semantic form.
// An interface can store its own copy of a value (value semantics), or a value can be shared
// with the interface by storing a copy of the values address (pointer semantics).
// This is where the value/pointer semantics come in for interfaces
type printer interface {
print()
}
type user struct {
name string
}
func (u user) print() {
fmt.Println("User Name:", u.name)
}
func main() {
u := user{"Bill"}
entities := []printer{
u,
&u,
}
u.name = "Bill_CHG"
for _, e := range entities {
e.print()
}
}
func ptest(p printer) {
p.print()
}