首頁 > 軟體

GO語言基本型別String和Slice,Map操作詳解

2022-08-01 18:04:20

本文大綱

本文繼續學習GO語言基礎知識點。

1、字串String

String是Go語言的基本型別,在初始化後不能修改,Go字串是一串固定長度的字元連線起來的字元序列,當然它也是一個位元組的切片(Slice)。

import ("fmt")
func main() {  
    name := "Hello World" //宣告一個值為 Hello World的字串變數 name
    fmt.Println(name)
}

String常用操作:獲取長度和遍歷

1、獲取字串長度:len()函數

str1 := "hello world"
fmt.Println(len(str1)) // 11

2、字串遍歷方式1:

str := "hello"
for i := 0; i < len(str); i++ {
	fmt.Println(i,str[i])
}

3、字串遍歷方式2:

str := "hello"
for i,ch := range str {
	fmt.Println(i,ch)
}

4、使用函數string()將其他型別轉換為字串

num := 12
fmt.Printf("%T n", string(num)      // "12"  string

5、字串拼接

str1 := "hello "
str2 := " world"
//建立位元組緩衝
var stringBuilder strings.Builder
//把字串寫入緩衝
stringBuilder.WriteString(str1)
stringBuilder.WriteString(str2)
//將緩衝以字串形式輸出
fmt.Println(stringBuilder.String())

字串的strings包

//查詢s在字串str中的索引
Index(str, s string) int 
//判斷str是否包含s
Contains(str, s string) bool
//通過字串str連線切片 s
Join(s []string, str string) string
//替換字串str中old字串為new字串,n表示替換的次數,小於0全部替換
Replace(str,old,new string,n int) string

字串的strconv包:

用於與基本型別之間的轉換,常用函數有Append、Format、Parse

  • Append 系列函數將整數等轉換為字串後,新增到現有的位元組陣列中
  • Format 系列函數把其他型別的轉換為字串
  • Parse 系列函數把字串轉換為其他型別

2、切片Slice

切片(slice)的作用是解決GO陣列長度不能擴充套件的問題。是一種方便、靈活且強大的包裝器。它本身沒有任何資料,只是對現有陣列的參照。

切片定義

var identifier []type

切片不需要說明長度, 或使用make()函數來建立切片:

var slice1 []type = make([]type, len)
也可以簡寫為
slice1 := make([]type, len)

範例

func main() {
   /* 建立切片 */
   numbers := []int{0,1,2,3,4,5,6,7,8}   
   printSlice(numbers)
   /* 列印原始切片 */
   fmt.Println("numbers ==", numbers)
   /* 列印子切片從索引1(包含) 到索引4(不包含)*/
   fmt.Println("numbers[1:4] ==", numbers[1:4])
   /* 預設下限為 0*/
   fmt.Println("numbers[:3] ==", numbers[:3])
}
func printSlice(x []int){
   fmt.Printf("len=%d cap=%d slice=%vn",len(x),cap(x),x)
}
列印結果:
len=9 cap=9 slice=[0 1 2 3 4 5 6 7 8]
numbers == [0 1 2 3 4 5 6 7 8]
numbers[1:4] == [1 2 3]
numbers[:3] == [0 1 2]

3、集合Map

Map是Go語言的內建型別,將一個值與一個鍵關聯起來,是一種無序的鍵值對的集合,可以使用相應的鍵檢索值(類比Java中的Map來記)。

// 宣告一個map型別,[]內的型別指任意可以進行比較的型別 int指值型別
m := map[string]int{"a":1,"b":2}
fmt.Print(m["a"])

範例:

func main() {
   var countryCapitalMap map[string]string
   /* 建立集合 */
   countryCapitalMap = make(map[string]string)
   /* map 插入 key-value 對,各個國家對應的首都 */
   countryCapitalMap["France"] = "Paris"
   countryCapitalMap["Italy"] = "Rome"
   countryCapitalMap["Japan"] = "Tokyo"
   countryCapitalMap["India"] = "New Delhi"
   /* 使用 key 輸出 map 值 */
   for country := range countryCapitalMap {
      fmt.Println("Capital of",country,"is",countryCapitalMap[country])
   }

執行結果:

   Capital of France is Paris
   Capital of Italy is Rome
   Capital of Japan is Tokyo
   Capital of India is New Delhi 

以上就是GO語言基本型別String和Slice,Map操作詳解的詳細內容,更多關於GO基本型別String Slice Map的資料請關注it145.com其它相關文章!


IT145.com E-mail:sddin#qq.com