在 Golang 中提取子字符串

Jay Singh 2023年1月30日 2022年4月22日
  1. 在 Golang 中使用索引提取子字符串
  2. 在 Golang 中使用简单索引提取单个字符
  3. 在 Golang 中使用基于范围的切片提取子字符串
在 Golang 中提取子字符串

子字符串是包含在更大字符串集中的字符集合。大多数情况下,你需要提取字符串的一部分以保存以供以后使用。

本文将向我们展示如何在 Golang 中使用不同的方法提取子字符串。

在 Golang 中使用索引提取子字符串

索引可用于从字符串中提取单个字符。文本 "Hello Boss!" 在以下示例中用于从索引 2 到字符串末尾提取子字符串。

代码片段:

package main
import (
    "fmt"
)
func main() {

    str := "Hello Boss!"
    substr := str[2:len(str)]
    fmt.Println(substr)
}

输出:

llo Boss!

在 Golang 中使用简单索引提取单个字符

简单索引可用于获取单个字符。你还必须将其转换为字符串,如代码所示;否则,返回 ASCII 码。

代码片段:

package main

import (
    "fmt"
)

func main() {
    var s string
    s = "Hello Boss!"
    fmt.Println(string(s[1]))
}

输出:

e

在 Golang 中使用基于范围的切片提取子字符串

基于范围的切片是在 Golang 中生成子字符串的最有效技术之一。

代码片段:

package main

import (
    "fmt"
)

func main() {
    s := "Hello Boss!"
    fmt.Println(s[1:6])
}

输出:

ello

相关文章 - Go String