美文网首页我的专题区块链研习社
区块链开发之Go语言—字符串和字节

区块链开发之Go语言—字符串和字节

作者: 林檎果 | 来源:发表于2018-03-23 14:24 被阅读27次

    字符串与字节的关系

    Go 代码使用 UTF-8 编码,字符串和字节之间的转换依据的是UTF-8编码。注意中文是3个字节对应一个中文的字符串。

    下面将归类讲述负责操作字符串和字节的几个标准库

    • strings 包提供了很多操作字符串的简单函数,通常一般的字符串操作需求都可以在这个包中找到。
    • bytes 包提供了对应操作字节的函数。
    • strconv 包提供了基本数据类型和字符串之间的转换。这个包之所以存在,是因为在Go中,没有隐式类型转换。字符串类型和 int、float、bool 等类型之间的转换却没有这么简单。
    • regexp 包提供了正则表达式功能,进行复杂的文本处理
    • unicode 包及其子包 unicode/utf8、unicode/utf16中,提供了对 Unicode 相关编码、解码的支持,同时提供了测试 Unicode 码点(Unicode code points)属性的功能。

    strings — 字符串操作

    是否存在某个字符或子串

    • func Contains(s, substr string) bool 完整的substr子串存在于s为true
    • func ContainsAny(s, chars string) boolchars中的任何一个字符存在于s,则为true
    fmt.Println(strings.ContainsAny("in failure", "s g")) //输出  true,因为' '空这个字符存在
    
    • func ContainsRune(s string, r rune) boolrune是Go语言里的一个字符的类型,可用来判断
    fmt.Println(strings.ContainsRune("你好吗", '你')) // 输出 true ,注意'你'使用单引号
    

    子串出现次数(字符串匹配)

    • func Count(s, sep string) int sep在s中出现了几次。

    一个特殊的一个例子,可以认为five的每个字符的间隙里都有""

    fmt.Println(strings.Count("five", "")) // before & after each rune
    

    字符串分割为[]string

    Fields 和 FieldsFunc

    func Fields(s string) []string //按空格分割,空格的定义是 unicode.IsSpace
    func FieldsFunc(s string, f func(rune) bool) []string //自定义f函数来分割
    

    Split 和 SplitAfter、 SplitN 和 SplitAfterN

    func Split(s, sep string) []string { return genSplit(s, sep, 0, -1) }
    func SplitAfter(s, sep string) []string { return genSplit(s, sep, len(sep), -1) }
    func SplitN(s, sep string, n int) []string { return genSplit(s, sep, 0, n) }
    func SplitAfterN(s, sep string, n int) []string { return genSplit(s, sep, len(sep), n) }
    
    • Split和SplitN的区别:
      • 这里的N表示可以用参数n来决定分成多少份string,剩下的就不分了。所以Split就是尽可能的分,SplitN就是根据你n的要求来分。
    • Split和SplitAfter的区别:
      • 分完的结果里带不带分割符,Split不带分割符,SplitAfter带分割符
    fmt.Printf("%q\n", strings.Split("foo,bar,baz", ","))// 输出  ["foo" "bar" "baz"]
    fmt.Printf("%q\n", strings.SplitAfter("foo,bar,baz", ","))// 输出 ["foo," "bar," "baz"]
    
    • 特殊的
    fmt.Printf("%q\n", strings.Split(" xyz ", "")) // 输出  [" " "x" "y" "z" " "]
    

    字符串是否有某个前缀或后缀

    HasPrefixHasSuffix

    // s 中是否以 prefix 开始
    func HasPrefix(s, prefix string) bool {
        return len(s) >= len(prefix) && s[0:len(prefix)] == prefix
    }
    // s 中是否以 suffix 结尾
    func HasSuffix(s, suffix string) bool {
        return len(s) >= len(suffix) && s[len(s)-len(suffix):] == suffix
    }
    

    字符或子串在字符串中出现的位置

    • func Index(s, sep string) int 在 s 中查找 sep 的第一次出现的位置索引并返回
    • func IndexFunc(s string, f func(rune) bool) int Index的自定义版
    • func IndexAny(s, chars string) int chars中任何一个Unicode代码点在s中首次出现的位置
    • func IndexRune(s string, r rune) int Index的字符版

    从后往前找

    func LastIndex(s, sep string) int
    func LastIndexAny(s, chars string) int
    func LastIndexFunc(s string, f func(rune) bool) int
    

    字符串合并的操作

    • func Join(a []string, sep string) string 将字符串数组(或slice)连接起来可以

    字符串重复几次

    • func Repeat(s string, count int) string
    fmt.Println("ba" + strings.Repeat("na", 2)) // 输出 banana
    

    字符串子串替换

    进行字符串替换时,考虑到性能问题,能不用正则尽量别用

    • func Replace(s, old, new string, n int) string 用 new 替换 s 中的 old,一共替换 n 个。如果 n < 0,则不限制替换次数,即全部替换
    fmt.Println(strings.Replace("oink oink oink", "k", "ky", 2)) // 输出 oinky oinky oink
    

    Replacer 类型

    • func NewReplacer(oldnew ...string) *Replacer 参数 oldnew 是 old-new 对
    r := strings.NewReplacer("<", "&lt;", ">", "&gt;") //"<"和"&lt;"是一对,">"和"&gt;"是一对
    fmt.Println(r.Replace("This is <b>HTML</b>!")) // 输出 This is &lt;b&gt;HTML&lt;/b&gt;!
    

    Reader 类型

    • 实现了 io 包中的接口。
      • io.Reader(Read 方法)
      • io.ReaderAt(ReadAt 方法)
      • io.Seeker(Seek 方法)
      • io.WriterTo(WriteTo 方法)
      • io.ByteReader(ReadByte 方法)
      • io.ByteScanner(ReadByte 和 UnreadByte 方法)
      • io.RuneReader(ReadRune 方法)
      • io.RuneScanner(ReadRune 和 UnreadRune 方法)
    • func NewReader(s string) *Reader 就可以当作一个reader对象在支持io.Reader的接口里使用,比如一个个字节的读取strings.NewReader("abcdefg")

    bytes — byte slice 便利操作

    因为字符串可以表示为 []byte,因此,bytes 包定义的函数、方法等和 strings 包很类似

    是否存在某个子slice

    • func Contains(b, subslice []byte) bool 子slice subslice 在 b 中,返回 true

    []byte 出现次数

    • func Count(s, sep []byte) int slice sep 在 s 中出现的次数(无重叠)

    字节数组分割为[]byte

    Fields 和 FieldsFunc

    func Fields(s []byte) []byte //按空格分割,空格的定义是 unicode.IsSpace
    func FieldsFunc(s []byte, f func(rune) bool) []byte //自定义f函数来分割
    

    Split 和 SplitAfter、 SplitN 和 SplitAfterN

    func Split(s, sep []byte) []byte { return genSplit(s, sep, 0, -1) }
    func SplitAfter(s, sep []byte) []byte { return genSplit(s, sep, len(sep), -1) }
    func SplitN(s, sep []byte, n int) []byte { return genSplit(s, sep, 0, n) }
    func SplitAfterN(s, sep []byte, n int) []byte { return genSplit(s, sep, len(sep), n) }
    

    字节数组是否有某个前缀或后缀

    HasPrefixHasSuffix

    字节数组或子字节数组在字节数组中出现的位置

    • func Index(s, sep []byte) int
    • func IndexFunc(s []byte, f func(r rune) bool) int Index的自定义版
    • func IndexAny(s []byte, chars string) int
    • func IndexRune(s []byte, r rune) int Index的字符版

    从后往前找

    func LastIndex(s, sep []byte) int
    func LastIndexAny(s []byte, chars string) int
    func LastIndexFunc(s []byte, f func(rune) bool) int
    

    字节数组合并的操作

    • func Join(s [][]byte, sep []byte) []byte 将字节数组(或slice)连接起来可以

    字节数组重复几次

    • func Repeat(b []byte, count int) []byte

    字节数组子串替换

    • func Replace(s, old, new []byte, n int) []byte 用 new 替换 s 中的 old,一共替换 n 个。如果 n < 0,则不限制替换次数,即全部替换

    Reader 类型

    • 实现了 io 包中的接口。
      • io.Reader(Read 方法)
      • io.ReaderAt(ReadAt 方法)
      • io.Seeker(Seek 方法)
      • io.WriterTo(WriteTo 方法)
      • io.ByteReader(ReadByte 方法)
      • io.ByteScanner(ReadByte 和 UnreadByte 方法)
      • io.RuneReader(ReadRune 方法)
      • io.RuneScanner(ReadRune 和 UnreadRune 方法)
    • func NewReader(b []byte) *Reader

    strconv — 字符串和基本数据类型之间转换

    • 基本数据类型包括:
      • 布尔
      • 整型(包括有/无符号、二进制、八进制、十进制和十六进制)
      • 浮点型等。

    strconv 包转换错误处理

    由于将字符串转为其他数据类型可能会出错,strconv 中的错误处理。

    • 定义了两个 error 类型的变量:
      • ErrRange:值超过了类型能表示的最大范围,比如将 "128" 转为 int8 就会返回这个错误
      • ErrSyntax:语法错误,比如将 "" 转为 int 类型会返回这个错误

    字符串和整型之间的转换

    • func ParseInt(s string, base int, bitSize int) (i int64, err error)
      • base 按给定的进制进行解释。base 的取值为 2~36。
        • 如果 base 的值为 0,则会根据字符串的前缀来确定 base 的值:"0x" 表示 16 进制; "0" 表示 8 进制;否则就是 10 进制。
      • bitSize 表示的是整数取值范围,或者说整数的具体类型。取值 0、8、16、32 和 64 分别代表 int、int8、int16、int32 和 int64。当 bitSize==0 时的情况,根据系统32位还是64位决定。
    • func ParseUint(s string, base int, bitSize int) (n uint64, err error) 转为无符号整型
    • func Atoi(s string) (i int, err error) ParseInt便捷版, ParseInt(s, 10, 0)

    整型转为字符串

    • func FormatUint(i uint64, base int) string // 无符号整型转字符串
    • func FormatInt(i int64, base int) string // 有符号整型转字符串
    • func Itoa(i int) string 相当于FormatInt(i, 10)

    字符串和布尔值之间的转换

    // 接受 1, t, T, TRUE, true, True, 0, f, F, FALSE, false, False 等字符串;
    // 其他形式的字符串会返回错误
    func ParseBool(str string) (value bool, err error)
    // 直接返回 "true" 或 "false"
    func FormatBool(b bool) string
    // 将 "true" 或 "false" append 到 dst 中
    // 这里用了一个 append 函数对于字符串的特殊形式:append(dst, "true"...)
    func AppendBool(dst []byte, b bool)
    

    字符串和浮点数之间的转换

    func ParseFloat(s string, bitSize int) (f float64, err error)
    func FormatFloat(f float64, fmt byte, prec, bitSize int) string
    func AppendFloat(dst []byte, f float64, fmt byte, prec int, bitSize int)
    
    • 参数
      • fmt,和标准库中fmt包下的一致
      • prec 表示有效数字(对 fmt='b' 无效)
        • 对于 'e', 'E' 和 'f',有效数字用于小数点之后的位数
        • 对于 'g' 和 'G',则是所有的有效数字。
      • bitSize,返回值的位数,虽然是float64,但是如果bitSize=32,这个float64可以轻松转成float32而不损失精度
    • 注意:由于浮点数有精度的问题,精度不一样,ParseFloat 和 FormatFloat 可能达不到互逆的效果。
    • 特别地(不区分大小写),+inf/inf,+infinity/infinity,-inf/-infinity 和 nan 通过 ParseFloat 转换分别返回对应的值(在 math 包中定义)。

    regexp — 正则表达式

    基本用法

        r, err := regexp.Compile(`Hello`)
    
        if err != nil {
            fmt.Printf("There is a problem with your regexp.\n")
            return
        }
    
        // Will print 'Match'
        if r.MatchString("Hello Regular Expression.") == true {
            fmt.Printf("Match ")
        } else {
            fmt.Printf("No match ")
        }
    

    Compile和MustCompile

    • Compile和MustCompile基本一致
      • Compile无法编译正则表达式时返回错误
      • MustCompile无法编译正则表达式时抛异常

    CompilePOSIX 和 MustCompilePOSIX

    • 他们是按照POSIX ERE (extended regular expression)规则编译
    • POSIX正则表达式分为:BRE(Basic Regular Expression)和ERE(Extended Regular Expressions)

    FindString和FindAllString

    • func (re *Regexp) FindString(s string) string
    • func (re *Regexp) FindAllString(s string, n int) []string n为-1则尽可能匹配
    • func (re *Regexp) FindStringIndex(s string) (loc []int) 查找到的string的slice的左边和右边,s[loc[0]:loc[1]]
    fmt.Printf("%v", r.FindStringIndex(s)) // Prints [7 11], the match starts at 7 and end before 11.
    
    • func (re *Regexp) FindAllStringIndex(s string, n int) [][]int 多个loc

    unicode — Unicode码点、UTF-8/16编码

    三个概念

    • Unicode 只是定义了一个字符和一个编码的映射。存储的字节方式却没有制定。
    • UTF-8 是Unicode的如何存储字符的一种字节编码方式。英文占一个字节,中文占三个字节。
    • UTF-16 也是一种字节编码方式。英文占用两个字节,中文占用两个或者四个字节。

    涉及三个库

    • unicode 包含基本的字符判断函数。
    • unicode/utf8 主要负责rune和byte之间的转换
    • unicode/utf16 负责rune和uint16数组之间的转换

    注意:

    • 在Go语言中,一个rune就代表一个unicode编码,'中',就是一个rune。
    • go语言的所有代码都是UTF8的,所以如果我们在程序中的字符串都是utf8编码的,但是我们的单个字符(单引号扩起来的)却是unicode的。

    unicode包

    unicode包含了对rune的判断。

    func IsControl(r rune) bool  // 是否控制字符
    func IsDigit(r rune) bool  // 是否阿拉伯数字字符,即1-9
    func IsGraphic(r rune) bool // 是否图形字符
    func IsLetter(r rune) bool // 是否字母
    func IsLower(r rune) bool // 是否小写字符
    func IsMark(r rune) bool // 是否符号字符
    func IsNumber(r rune) bool // 是否数字字符,比如罗马数字Ⅷ也是数字字符
    func IsOneOf(ranges []*RangeTable, r rune) bool // 是否是RangeTable中的一个
    func IsPrint(r rune) bool // 是否可打印字符
    func IsPunct(r rune) bool // 是否标点符号
    func IsSpace(r rune) bool // 是否空格
    func IsSymbol(r rune) bool // 是否符号字符
    func IsTitle(r rune) bool // 是否title case
    func IsUpper(r rune) bool // 是否大写字符
    

    utf8包

    utf8里面的函数就有一些字节和字符的转换。

    判断是否符合utf8编码的函数

    • func Valid(p []byte) bool
    • func ValidRune(r rune) bool
    • func ValidString(s string) bool

    判断rune的长度的函数

    • func RuneLen(r rune) int

    判断字节串或者字符串的rune数

    • func RuneCount(p []byte) int
    • func RuneCountInString(s string) (n int)

    编码和解码rune到byte

    • func DecodeRune(p []byte) (r rune, size int)
    • func EncodeRune(p []byte, r rune) int

    utf16包

    较少使用

    参考

    1.《Go语言标准库》The Golang Standard Library by Example

    关于我:

    linxinzhe,全栈工程师,目前供职于某500强通信企业,人工智能,区块链爱好者。

    GitHub:https://github.com/linxinzhe

    欢迎留言讨论,也欢迎关注我~
    我也会关注你的哦!

    相关文章

      网友评论

        本文标题:区块链开发之Go语言—字符串和字节

        本文链接:https://www.haomeiwen.com/subject/jczaqftx.html