Go語言快速入門筆記01

IT小馬發表於2021-11-29

語言特性

  1. 部署簡單:

    1. 可直接編譯成機器碼執行
    2. 不依賴其他庫
    3. 直接執行即可部署
  2. 靜態型別語言:編譯時即可檢查出隱藏的問題
  3. 語言層面的併發:天生支援併發,充分利用多核
  4. 強大的標準庫:

    1. runtime系統排程機制
    2. 高效的GC垃圾回收
    3. 豐富的標準庫
  5. 簡單易學:25個關鍵字,支援內嵌C語法,物件導向,跨平臺

配置安裝

Mac下載地址:https://dl.google.com/go/go1....

安裝路徑:/usr/local/go

配置環境變數:

vi ~/.bash_profile
export GOPATH=$HOME/go
source ~/.bash_profile

常見問題

1.go.mod file not found in current directory or any parent directory

解決:go env -w GO111MODULE=auto

語法注意

  1. 表示式結尾不建議加分號
  2. 匯入多個包

    import (
        "fmt"
        "time"
    )
  3. 函式的花括號必須與函式名同行
vim hello.go
package main

import "fmt"
func main() {
    fmt.Println("Hello Go!")
}

編譯並執行

go run hello.go

編譯

go build hello.go

執行

./hello

變數 var

  1. 宣告一個變數(預設值是0)

    var a int
  2. 宣告一個變數,並初始化一個值

    var b int = 100
  3. 初始化時省去型別,通過值自動匹配資料型別(不推薦)

    var c = 100
    var cc = "abcd"
    
    fmt.Printf("cc=%s,cc=%T",cc,cc)//cc=abcd,cc=string
  4. 省去var關鍵字,自動匹配(常用)

    e := 100
    f := "abcd"

備註:方法1.2.3可以在函式體外,宣告全域性變數;4只能在函式體內,宣告區域性變數

  1. 宣告多行變數

    var xx, yy int = 100, 200
    var mm, nn = 100, "abc"
    
    var (
        cc int = 100
        dd bool = true
    )
    fmt.Println("cc=",cc,"dd=",dd)

常量 const

常量是不允許修改的
const a int = 100
const (
    BEIJING = 1
    SHANGHAI = 2
)
iota:配合const使用,每行累加,第一行預設0
const (
    BEIJING = 10 * iota //0
    SHANGHAI                         //10
    SHENZHEN                         //20
)
const (
        a, b = iota+1,iota+2//iota=0, a=1, b=2
    c, d                                //iota=1, c=1, d=3
    g, h = iota*2,iota*3//iota=3, g=6, h=9
)

函式

基本函式形式

func test(a string, b int) int {
        return 100
}

多返回值

//匿名
func test(a string, b int) (int, int) {
        return 666, 777
}
//有形參名(初始化預設為0)
func test(a string, b int) (r1 int, r2 int) {
        r1 = 1000
        r2 = 2000
        return
}

import與init

hello.go

package main
import (
    "GoStudy/lib1"
    "GoStudy/lib2"
)
func main() {
    lib1.Lib1Test();  //在外部呼叫的函式名首字母必須大寫
    lib2.Lib2Test();    
}
//輸出結果
//lib1.init()...
//lib2.init()...
//Lib1Test()...
//Lib2Test()...

lib1/lib1.go

package lib1
import "fmt"
func Lib1Test()  {
    fmt.Println("Lib1Test()...")
}
func init()  {
    fmt.Println("lib1.init()...")
}

lib2/lib2.go

package lib2
import "fmt"
func Lib2Test()  {
    fmt.Println("Lib2Test()...")
}
func init()  {
    fmt.Println("lib2.init()...")
}

注意:

  1. 匯入匿名包(不執行包內的函式,但執行init方法)

    import _ "GoStudy/lib2"
  2. 匯入包別名

    import l2 "GoStudy/lib2"
    func main() {
        l2.Lib2Test();    
    }
  3. 匯入當前包中(可直接呼叫函式)

    import . "GoStudy/lib2"
    func main() { 
        Lib2Test();    
    }

指標 *

package main
import "fmt"
func changeValue(p *int)  {
   *p = 10;
}
func main() { 
    var a = 1
    changeValue(&a)
    //p = &a
    //*p = 10
    fmt.Println("a =",a) //a = 10
}

defer

函式結束前執行的機制(先入後出,在return方法後執行)
package main
import "fmt"
func func1()  {
    fmt.Println("func1()...")
}
func func2()  {
    fmt.Println("func2()...")
}
func func3()  {
    fmt.Println("func3()...")
}
func returnAndDefer() int {
    defer func1()
    defer func2()
    defer func3()
    return returnFunc()
}
func returnFunc() int {
    fmt.Println("returnFunc()...")
    return 0
}
func main() { 
    returnAndDefer()
}
//執行順序:
returnFunc()...
func3()...
func2()...
func1()...

陣列與動態陣列

固定長度的陣列
package main
import "fmt"
func test(arr []int)  {
    arr[0] = 111
}
func main() { 
    //固定長度的陣列
    var myArr []int
    //陣列遍歷
    test(myArr)//myArr[0]不變
    for k, v := range myArr2 {
        fmt.Println("index=",k,"value=",v)
    }
}
動態陣列(切片 slice)

動態陣列是引用傳遞,實際上傳遞的是陣列的指標,指向同一塊記憶體

不同長度的動態陣列形參是一樣的

package main
import "fmt"
func test(arr []int)  {
    arr[0] = 111
}
func main() { 
    //固定長度的陣列
    myArr := []int{1,2,3,4}
    //陣列遍歷
    test(myArr)//myArr[0]不變
    for k, v := range myArr {
        fmt.Println("index=",k,"value=",v)
    }
}
//輸出結果
index= 0 value= 111
index= 1 value= 2
index= 2 value= 3
index= 3 value= 4

注:_表示匿名變數

切片的宣告方式
  1. 宣告slice1是一個切片,並且初始化,預設值是1,2,3,長度len是3

    slice1 := []int{1, 2, 3}
  2. 宣告slice2是一個切片,但是並沒有分配空間,需要make分配空間(初始化值是0)

    var slice2 = []int
    slice2 = make([]int, 3)
  3. 宣告slice3是一個切片並通過make分配空間(初始化值是0)

    var slice3 []int = make([]int, 3)
  4. 宣告slice4是一個切片並通過make分配空間(初始化值是0),通過:=推匯出slice4是切片(常用)

    slice4 := make([]int, 3)
切片的追加

len:長度,表示左指標到右指標間的距離

cap:容量,表示左指標到底層陣列末尾的距離

切片的擴容機制:append時,如果長度增加後超過容量,則將容量翻倍(5 -> 10 -> 20)
var numbers = make([]int, 3, 5)//長度3, 容量5
fmt.Printf("len=%d,cap=%d,slice=%v",len(numbers),cap(numbers),numbers)
//len=3,cap=5,slice=[0 0 0]

向numbers追加一個元素1

numbers = append(numbers, 1)
fmt.Printf("len=%d,cap=%d,slice=%v",len(numbers),cap(numbers),numbers)
//len=4,cap=5,slice=[0 0 0 1]

向numbers追加一個元素2

numbers = append(numbers, 2)
fmt.Printf("len=%d,cap=%d,slice=%v",len(numbers),cap(numbers),numbers)
//len=5,cap=5,slice=[0 0 0 1 2]

向容量已滿的slice追加元素

numbers = append(numbers, 3)
fmt.Printf("len=%d,cap=%d,slice=%v",len(numbers),cap(numbers),numbers)
//len=6,cap=10,slice=[0 0 0 1 2 3]
切片的擷取
s := []int{1,2,3}
s1 := s[0:2]
s2 := make([]int, 3)
copy(s2, s)//將s中的值,依次copy到s2
s1[0] = 100
fmt.Println(s)//[100 2 3]
fmt.Println(s1)//[100 2]
fmt.Println(s2)//[1 2 3]

map

宣告方式
  1. 方式一:

    1. 宣告myMap1是一種map型別,key是string,value是string
    2. 在使用map前,需要先用make給map分配資料空間
    var myMap1 map[string]string
    myMap1 = make(map[string]string, 10)
    myMap1["a"] = "aaa"
    myMap1["b"] = "bbb"
  2. 方式二:

    myMap2 := make(map[int]string)
    myMap2[0] = "a"
    myMap2[1] = "b"
    fmt.Println(myMap2) //map[0:a 1:b]
  3. 方式三

    myMap3 := map[int]string {
        0 : "a",
        1 : "b",
    }
    fmt.Println(myMap3) //map[0:a 1:b]
使用方式
map也是引用傳遞,做引數時傳遞的是指標地址
  1. 新增

    myMap2 := make(map[int]string)
    myMap2[0] = "a"
    myMap2[1] = "b"
  2. 遍歷

    for k, v := range myMap2 {
        fmt.Printf("k=%d,v=%s\n",k,v)
    }
  3. 刪除

    delete(myMap2, 0)
  4. 修改

    myMap2[0] = "c"

物件導向

結構體

  1. 定義

    type Book struct {
        title string //類的屬性首字母大寫表示公有,否則為私有
        auth string
    }
  2. 使用

    var book1 Book
    book1.title = "Golang"
    book1.auth = "Tom"
    fmt.Println(book1)//{Golang Tom}
    
    book2 := Book{title:"aaa",auth:"bbb"}
    fmt.Println(book2)//{aaa bbb}
    
    book3 := Book{"aaa","bbb"}
    fmt.Println(book3)//{aaa bbb}
  3. 傳遞(傳遞的是副本)

    func changeBook(book Book)  {
        book.title="XXX"
    }
    func main() { 
        var book1 Book
        book1.title = "Golang"
        book1.auth = "Tom"
        changeBook(book1)
        fmt.Println(book1)//{Golang Tom}
    }

封裝:類名,屬性名,方法名首字母大寫表示對外可以訪問
this是呼叫該方法的物件的一個副本(拷貝)
func (this *Book) setName(title string)  {
    this.title=title
}
func (this Book) setAuth(auth string)  {
    this.auth=auth
}
func main() { 
    book := Book{title:"aaa",auth:"bbb"}
    book.setName("ccc")
    book.setAuth("ddd")
    fmt.Println(book)//{ccc bbb} 
}
繼承
package main
import "fmt"
type Human struct {
    name string
    sex string
}
type SuperMan struct {
    Human
    level int
}
func (this *Human) Eat()  {
    fmt.Println("Human Eat...")
}
func (this *Human) Walk()  {
    fmt.Println("Human Walk...")
}
func (this *SuperMan) Walk()  {
    fmt.Println("SuperMan Walk...")
}
func (this *SuperMan) Fly()  {
    fmt.Println("SuperMan Fly...")
}
func main() { 
    tom := Human{"aaa","bbb"}
    tom.Eat() //Human Eat...
    tom.Walk()//Human Walk...
    //s :=SuperMan{Human{"ccc","ddd"},100}
    var s SuperMan
    s.name = "Sss"
    s.sex = "man"
    s.level= 88
    s.Walk()//SuperMan Walk...
    s.Fly()//SuperMan Fly...
}
多型
interface本質是父類的一個指標

基本要素:

  1. 有一個父類(介面)
  2. 有子類實現了父類的全部介面方法
  3. 父類型別的變數(指標)指向(引用)子類的具體資料變數
package main
import "fmt"
type AnimalIF interface {
    Sleep()
    GetColor() string
}
type Cat struct {
    color string
}
func (this *Cat) Sleep()  {
    fmt.Println("Cat Sleep...")
}
func (this *Cat) GetColor() string {
    return this.color
}
type Dog struct {
    color string
}
func (this *Dog) Sleep()  {
    fmt.Println("Dog Sleep...")
}
func (this *Dog) GetColor() string {
    return this.color
}
func showAnimal(animal AnimalIF)  {
    animal.Sleep()
    fmt.Println("color=",animal.GetColor())
}
func main() { 
    var animal AnimalIF//介面的資料型別:父類指標
    animal = &Cat{"White"}
    animal.Sleep()//Cat Sleep...
    fmt.Println("color=",animal.GetColor())//color= White

    dog := Dog{"Yellow"}
    showAnimal(&dog)
    //Dog Sleep...
    //color= Yellow
}
萬能資料型別 interface{} (空介面)
interface{} 型別斷言機制:arg.(string)
package main
import "fmt"

type Book struct {
    tile string
}
func test(arg interface{}){
    fmt.Println(arg)
    //斷言
    _, ok := arg.(string)
    if !ok {
        fmt.Println("arg is not string")
    }else{
        fmt.Println("arg is string")
    }
}
func main() { 
    book := Book{"Golang"}
    test(book)//{Golang}
    test(123)//123
    test("hello")//hello
}
變數型別
  1. 變數pair對

    1. type

      1. static type:int/string
      2. concrete type:interfece所指的具體資料型別(系統runtime看得見的型別)
    2. value
package main
import "fmt"
type Reader interface {
    ReadBook()
}
type Writer interface {
    WriteBook()
}
type Book struct {

}
func (this *Book) ReadBook() {
    fmt.Println("Read a book.")
}
func (this *Book) WriteBook() {
    fmt.Println("Write a book.")
}
func main() { 
    b := &Book{}//b: pair<type:Book, value:Book{}地址>
    var r Reader//r: pair<type: 空, value: 空>
    r = b       //r: pair<type:Book, value:Book{}地址>
    r.ReadBook()
    var w Writer  
    w = r.(Writer)//w: pair<type:Book, value:Book{}地址>
    //斷言有兩步:得到動態型別 type,判斷 type 是否實現了目標介面。
    //這裡斷言成功是因為 type 是 Book,而 Book 實現了 Writer 介面
    w.WriteBook()
}

反射 reflect

例1:

package main
import (
    "fmt"
    "reflect"
)
func reflectNum(arg interface{}){
    fmt.Println("type:", reflect.TypeOf(arg))
    fmt.Println("value:", reflect.ValueOf(arg))
}
func main() { 
    var num float64 = 1.34556
    reflectNum(num)
    //type: float64
    //value: 1.34556
}

例2:

package main
import (
    "fmt"
    "reflect"
)
type User struct {
    Id int
    Name string
    Age int
}
func (this User) Call(){
    fmt.Printf("User: %v", this)
}
func DoFieldAndMethod(input interface{}){
    inputType := reflect.TypeOf(input)
    inputValue := reflect.ValueOf(input)
    //遍歷屬性
    for i := 0; i < inputType.NumField(); i++ {
        field := inputType.Field(i)
        value := inputValue.Field(i).Interface()
        fmt.Printf("%s:%v = %v\n",field.Name, field.Type, value)
    }
    //Id:int
    //Name:string = Lilei
    //Age:int = 18
    //遍歷方法(注意指標型別的結構體方法無法列印)
    for i := 0; i < inputType.NumMethod(); i++ {
        inputMethod := inputType.Method(i)
        fmt.Printf("%s:%v\n",inputMethod.Name, inputMethod.Type)
    }
    //Call:func(main.User)
}
func main() { 
    user := User{1, "Lilei", 18}
    DoFieldAndMethod(user)
}

結構體標籤 Tag

package main
import (
    "fmt"
    "reflect"
)
type User struct {
    Name string `info:"name" doc:"姓名"`
    Age int `info:"age" doc:"年齡"`
}
func findTag(input interface{}){
    inputType := reflect.TypeOf(input).Elem()
    //遍歷屬性
    for i := 0; i < inputType.NumField(); i++ {
        taginfo := inputType.Field(i).Tag.Get("info")
        tagdoc := inputType.Field(i).Tag.Get("doc")
        fmt.Printf("info:%s doc:%s\n",taginfo, tagdoc)
    }
}
func main() { 
    var u User
    findTag(&u)
    //info:name doc:姓名
    //info:age doc:年齡
}

結構體標籤在json中的應用

package main
import (
    "fmt"
    "encoding/json"
)
type User struct {
    Name string `json:"name"`
    Age int `json:"age"`
    Hobby []string `json:"hobby"`
}
func main() { 
    user := User{"lilei", 18, []string{"dance","football"}}
    //json編碼
    jsonStr, err := json.Marshal(user)
    if err != nil {
        fmt.Println("Json marshal error.")
        return
    }
    fmt.Printf("json = %s",jsonStr)//json = {"name":"lilei","age":18,"hobby":["dance","football"]}
    //json解碼
    user1 := User{}
    err = json.Unmarshal(jsonStr, &user1)
    if err != nil {
        fmt.Println("Json unmarshal error.")
        return
    }
    fmt.Println(user1)//{lilei 18 [dance football]}
}

相關文章