추상화된 객체로 상호작용하기 위한 방법
type DuctInterface interface {
Fly()
Walk(distance int) int
}
package main
import "fmt"
type Stringer interface {
String()
}
type Student struct {
Name string
Age int
}
func (s Student) String() {
fmt.Printf("안녕 내 이름은 %s이고 나이는 %d살이야!\n", s.Name, s.Age)
}
func main() {
student := Student{"철수", 31}
var stringer Stringer
stringer = student
stringer.String()
}
타입 확장에 유연하게 대응하기 위함
package main
import "fmt"
type Dog struct {
Name string
}
func (d Dog) Sound() {
fmt.Printf("[%s]: 멍멍\n", d.Name)
}
func MakeSound(dogs []Dog) {
for _, d := range dogs {
d.Sound()
}
}
func main() {
dogs := []Dog{}
dogs = append(dogs, Dog{"멍멍이"}, Dog{"왈왈이"})
MakeSound(dogs)
}
type Cat struct {
Name string
}
func (c Cat) Sound() {
fmt.Printf("[%s]: 야옹\n", c.Name)
}
// Dog 타입 슬라이스만 받음..
func MakeSound(dogs []Dog) {
for _, d := range dogs {
d.Sound()
}
}
위 케이스의 Sound 같은 공통 메서드를 인터페이스를 만든다
package main
import "fmt"
type Animal interface {
Sound()
}
type Dog struct {
Name string
}
func (d Dog) Sound() {
fmt.Printf("[%s]: 멍멍\n", d.Name)
}
type Cat struct {
Name string
}
func (c Cat) Sound() {
fmt.Printf("[%s]: 야옹\n", c.Name)
}
func MakeSound(animals []Animal) {
for _, a := range animals {
a.Sound()
}
}
func main() {
animals := []Animal{}
animals = append(animals, Dog{"멍멍이"}, Dog{"왈왈이"}, Cat{"야옹이"})
MakeSound(animals)
}
type A interface {
AA() (int, error)
CC() error
}
type B interface {
BB() (int, error)
CC() error
}
type C interface {
A
B
}
CC() error
가 겹치지만 같은 메서드 형식이므로 문제 없음어떤 값이든 받을 수 있는 함수, 메서드, 변숫값을 만들때 사용
package main
import (
"fmt"
)
func TypeChecker(v interface{}) {
switch t := v.(type) {
case int:
fmt.Printf("v is int %d\n", v)
case string:
fmt.Printf("v is string %s\n", v)
case float64:
fmt.Printf("v is float64 %f\n", v)
default:
fmt.Printf("%T:%v type is not acceptable\n", t, t)
}
}
type Person struct {
Name string
}
func main() {
TypeChecker(32)
TypeChecker(0.5)
TypeChecker("hello")
TypeChecker(Person{"철수"})
}
package main
import (
"fmt"
)
type AInterface interface {
DoSomething()
}
type AStruct struct {
Name string
}
func (a AStruct) DoSomething() {
fmt.Println("hello")
}
type BStruct struct {
Name string
Age int
}
func (b BStruct) DoSomething() {
fmt.Println("hello")
}
func TypeConversion(aInterface AInterface) {
b := aInterface.(*BStruct)
fmt.Println(b)
}
func main() {
a := &BStruct{"철수", 31}
TypeConversion(a) // 타입 변환 성공
b := &AStruct{"철수"}
TypeConversion(b)
// > b가 가리키는 타입은 *AStruct이지만 *BStruct로 타입 변환하려고 했기 때문에 런타임 에러 발생
}
package main
import (
"fmt"
)
type AInterface interface {
DoSomething()
}
type BInterface interface {
DoNothing()
}
type AStruct struct {
Name string
}
func (a AStruct) DoSomething() {
fmt.Println("hello")
}
func (a AStruct) DoNothing() {
fmt.Println("hello")
}
func TypeConversion(bInterface BInterface) {
a := bInterface.(AInterface)
fmt.Println(a)
}
func main() {
a := &AStruct{"철수"}
TypeConversion(a)
}
var a Interface
if t, ok := a.(ConcreteType); ok {
...
}