golang學習筆記——面向對象(接口)

接口
  • 定義及使用
package main
 
import (
    "fmt"
)
 
//定義一個接口
type Human interface {
    sayHello()
}
 
type Student struct {
    name string
    age  int
}
 
type Teacher struct {
    group string
}
 
func (stu *Student) sayHello() {
    fmt.Printf("Student[%s,%d] \n", stu.name, stu.age)
}
 
func (tea *Teacher) sayHello() {
    fmt.Printf("Teacher[%s] \n", tea.group)
}
 
func WhoSay(tmp Human) {
    tmp.sayHello()
}
 
func main() {
    //第一種使用
    s := &Student{"Bon", 12}
    t := &Teacher{"math"}
 
    WhoSay(s)
    WhoSay(t)
 
    //第二種使用 建立切片
    slic := make([]Human, 2)
    slic[0] = s
    slic[1] = t
    for _, v := range slic {
         v.sayHello()
    }
}
  • 接口繼承
package main
 
import (
"fmt"
)
 
//定義一個接口
type Humaner interface {
    sayHello()
}
//繼承Humaner
type Personer interface {
    Humaner
    sayWorld(str string)
}
 
type Student struct {
    name string
    age  int
}
 
func (stu *Student) sayHello() {
    fmt.Printf("Student[%s,%d] \n", stu.name, stu.age)
}
 
func (stu *Student) sayWorld(str string) {
    fmt.Println(str)
}
 
func main() {
    var i Personer
    s := &Student{"Bob", 23}
    i = s
    i.sayHello()
    i.sayWorld("song")
}
  • 接口轉化(超集能夠轉化爲子集,子集不能夠轉化爲超集
package main
 
import (
    "fmt"
)
 
//定義一個接口
type Humaner interface { //子集
    sayHello()
}
 
type Personer interface { //超集
    Humaner
    sayWorld(str string)
}
 
type Student struct {
    name string
    age  int
}
 
func (stu *Student) sayHello() {
    fmt.Printf("Student[%s,%d] \n", stu.name, stu.age)
}
 
func (stu *Student) sayWorld(str string) {
    fmt.Println(str)
}
 
func main() {
    var i Personer
 
    i = &Student{"Tom", 16}
 
    var h Humaner
    //子集不能轉爲超集
    // i = h
 
    //超集能夠轉化爲子集
    h = i
    h.sayHello()
 
}
  • 空接口(能夠保存任意類型的數據)
package main
 
import (
"fmt"
)
 
func xxx(arg ...interface{}) {
 
}
 
func main() {
    //空接口可保存任意類型的數據
    var i interface{}
    i = 10
    fmt.Println(i)
 
    var m interface{}
    m = "hello world"
    fmt.Println(m)
}
  • 判斷空接口存儲的數據類型
package main
 
import (
    "fmt"
)
 
func main() {
    var i interface{}
    i = 10
 
    //使用 變量.(類型) 判斷數據數據類型
    if value, ok := i.(int); ok == true {
         fmt.Println(value)
    }
 
}
package main
 
import (
    "fmt"
)
 
func main() {
    var i interface{}
    i = 10
 
    //使用 變量.(type) 判斷數據數據類型
    switch value := i.(type) {
        case int:
             fmt.Printf("int 類型 %d \n", value)
        case string:
             fmt.Print("string 類型 %s \n", value)
    }
}
相關文章
相關標籤/搜索