7.6 字符串处理
字符串在我们平常的Web开发中经常用到,包括用户的输入,数据库读取的数据等,我们经常需要对字符串进行分割、连接、转换等操作,本小节将通过Go标准库中的strings和strconv两个包中的函数来讲解如何进行有效快速的操作。
字符串操作
下面这些函数来自于strings包,这里介绍一些我平常经常用到的函数,更详细的请参考官方的文档。
- func Contains(s, substr string) bool - 字符串s中是否包含substr,返回bool值 
| 1 | 
 | 
- func Join(a []string, sep string) string - 字符串链接,把slice a通过sep链接起来 
| 1 | 
 | 
- func Index(s, sep string) int - 在字符串s中查找sep所在的位置,返回位置值,找不到返回-1 
| 1 | 
 | 
- func Repeat(s string, count int) string - 重复s字符串count次,最后返回重复的字符串 
| 1 | 
 | 
- func Replace(s, old, new string, n int) string - 在s字符串中,把old字符串替换为new字符串,n表示替换的次数,小于0表示全部替换 
| 1 | 
 | 
- func Split(s, sep string) []string - 把s字符串按照sep分割,返回slice 
| 1 | 
 | 
- func Trim(s string, cutset string) string - 在s字符串的头部和尾部去除cutset指定的字符串 
| 1 | 
 | 
- func Fields(s string) []string - 去除s字符串的空格符,并且按照空格分割返回slice 
| 1 | 
 | 
字符串转换
字符串转化的函数在strconv中,如下也只是列出一些常用的:
- Append 系列函数将整数等转换为字符串后,添加到现有的字节数组中。
| 1 | 
 | 
- Format 系列函数把其他类型的转换为字符串 - 1 
 2
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 package main
 import (
 "fmt"
 "strconv"
 )
 func main() {
 a := strconv.FormatBool(false)
 b := strconv.FormatFloat(123.23, 'g', 12, 64)
 c := strconv.FormatInt(1234, 10)
 d := strconv.FormatUint(12345, 10)
 e := strconv.Itoa(1023)
 fmt.Println(a, b, c, d, e)
 }
- Parse 系列函数把字符串转换为其他类型 
| 1 | 
 |