rune是Go語言中一種特殊的資料型別,它是int32的別名,幾乎在所有方面等同於int32,用於區分字元值和整數值,官方解釋如下:
// rune is an alias for int32 and is equivalent to int32 in all ways. It is
// used, by convention, to distinguish character values from integer values.
//int32的別名,幾乎在所有方面等同於int32
//它用來區分字元值和整數值
type rune = int32
下面我們透過一個例子來看一下:
package main
import "fmt"
func main() {
var str = "hello 你好啊"
fmt.Println("len(str):", len(str))
}
我們猜測一下結果,hello5 個字元+1 個空格+3 個漢字,算起來應該是 9 個,長度為 9 才對,但是我們執行一下,
結果列印是 15,這是為什麼呢?
golang中string底層是透過byte陣列實現的。中文字元在unicode下佔2個位元組,在utf-8編碼下佔3個位元組,而golang預設編碼正好是utf-8。
所以計算出的長度就等於 5+1+3*3=15
如果我們需要計算出字串的長度,而不是底層位元組的個數,那麼可以使用下面的方法:
package main
import (
"fmt"
"unicode/utf8"
)
func main() {
var str = "hello 你好啊"
//golang中string底層是透過byte陣列實現的,座椅直接求len 實際是在按位元組長度計算 所以一個漢字佔3個位元組算了3個長度
fmt.Println("len(str):", len(str)) // 15
//以下兩種都可以得到str的字串長度
//1、golang中的unicode/utf8包提供了用utf-8獲取長度的方法
fmt.Println("RuneCountInString:", utf8.RuneCountInString(str))
//2、透過rune型別處理unicode字元
fmt.Println("rune:", len([]rune(str)))
}
執行結果如下:
在 rune 定義上方還有一個,byte = uint8
// byte is an alias for uint8 and is equivalent to uint8 in all ways. It is
// used, by convention, to distinguish byte values from 8-bit unsigned
// integer values.
type byte = uint8
- byte 等同於int8,常用來處理ascii字元
- rune 等同於int32,常用來處理unicode或utf-8字元
本作品採用《CC 協議》,轉載必須註明作者和本文連結