这里写自定义目录标题
视频
值传递、引用传递、指针
直接给个例子吧:
go
package main
import "fmt"
// 值传递
func changeInteger(number int) {
number += 1
}
// 引用传递
func changeSize(s []string) {
for index, value := range s {
s[index] = fmt.Sprintf("%d:%s", index, value)
}
}
// Coordinate 指针类型
type Coordinate struct {
x, y int
}
func changeStruct(c Coordinate) {
c.x = 3
c.y = 3
}
func changeStruct2(c *Coordinate, step int) {
c.x = c.x + step
}
func main() {
fmt.Println("Example Start")
num := 1
changeInteger(num)
fmt.Println(num)
lang := []string{"English", "Math", "Chinese"}
fmt.Println(lang)
changeSize(lang)
fmt.Println(lang)
point1 := Coordinate{1, 1}
fmt.Println(point1)
changeStruct(point1)
fmt.Println(point1)
changeStruct2(&point1, 4)
fmt.Println(point1)
changeStruct2(&point1, 5)
fmt.Println(point1)
}
多线程
go
//ex1 goroutine wg
func learnLang(s string, wg *sync.WaitGroup) {
defer wg.Done()
fmt.Println("try to code learn ", s)
}
var wg sync.WaitGroup
func exampleOne() {
var langWord = []string{
"C",
"C++",
"Java",
"Python",
"C#",
}
wg.Add(len(langWord))
for index, word := range langWord {
go learnLang(fmt.Sprintf("learn %d. %s", index, word), &wg)
}
wg.Wait()
fmt.Println("end")
}
go
// ex2 channel
func createChannel1(ch chan string) {
for {
time.Sleep(4 * time.Second)
ch <- "this is from channel 1"
}
}
func createChannel2(ch chan string) {
for {
time.Sleep(2 * time.Second)
ch <- "this is from channel 2"
}
}
func exampleTwo() {
fmt.Println("this is the example 2")
ch1 := make(chan string)
ch2 := make(chan string)
go createChannel1(ch1)
go createChannel2(ch2)
for {
select {
case string1 := <-ch1:
fmt.Println("string 1 get: ", string1)
case string2 := <-ch2:
fmt.Println("string 2 get: ", string2)
default:
time.Sleep(1 * time.Second)
fmt.Println("I can't stop")
}
}
}
go
func main() {
exampleOne()
//exampleTwo()
}