Go 语言按行分割字符串很方便,这里作一下汇总,根据不同场景使用不同方法。
使用 strings.Split
strings.Split
1 2 3 4
s := strings.Split("a,b,c,d", ",")
fmt.Println(s)
// Output: [a b c d]
按行分割
1 2 3 4 5
s := strings.Split(`a\nb\nc\nd`, `\n`)
// s := strings.Split("a\\nb\\nc\\nd", "\n")
fmt.Println(s)
// Output: [a b c d]
考虑到 windows 系统换行符,可以这么写
1
strings.Split(strings.ReplaceAll(windows, "\r\n", "\n"), "\n")
使用正则分割
1 2
zp := regexp.MustCompile(`[\t\n\f\r]`)
lines := zp.Split(yourStr, -1)
使用 strings.Fields
strings.Fields
1 2 3 4
s := strings.Fields(" a \t b \n")
fmt.Println(s)
// Output: [a b]
使用 bufio.Scanner
bufio.Scanner
1 2 3 4 5 6 7 8 9 10 11 12 13
import (
"bufio"
"strings"
)
func SplitLines(s string) []string {
var lines []string
sc := bufio.NewScanner(strings.NewReader(s))
for sc.Scan() {
lines = append(lines, sc.Text())
}
return lines
}
本文网址: https://golangnote.com/topic/289.html 转摘请注明来源