標籤:Golan string span spl func str false 函數 body
1.func Fields(s string) []string,這個函數的作用是按照1:n個空格來分割字串最後返回的是
[]string的切片
複製代碼代碼如下:
import (
"fmt"
"strings"
)
func main() {
fmt.Println(strings.Fields("hello widuu golang")) //out [hello widuu golang]
}
2.func FieldsFunc(s string, f func(rune) bool) []string一看就瞭解了,這就是根據自訂函數分割了
複製代碼代碼如下:
import (
"fmt"
"strings"
)
func main() {
fmt.Println(strings.FieldsFunc("widuunhellonword", split)) // [widuu hello word]根據n字元分割
}
func split(s rune) bool {
if s == ‘n‘ {
return true
}
return false
}
3.func Join(a []string, sep string) string,這個跟php中的implode差不多,這個函數是將一個[]string的切片通過分隔字元,分割成一個字串
複製代碼代碼如下:
import (
"fmt"
"strings"
)
func main() {
s := []string{"hello", "word", "xiaowei"}
fmt.Println(strings.Join(s, "-")) // hello-word-xiaowei
}
4.func Split(s, sep string) []string,有join就有Split這個就是把字串按照指定的分隔字元切割成slice
複製代碼代碼如下:
import (
"fmt"
"strings"
)
func main() {
fmt.Println(strings.Split("a,b,c,d,e", ",")) //[a b c d e]
}
5.func SplitAfter(s, sep string) []string,這個函數是在前邊的切割完成之後再後邊在加上sep分割符
複製代碼代碼如下:
import (
"fmt"
"strings"
)
func main() {
fmt.Println(strings.SplitAfter("a,b,c,d", ",")) //[a, b, c, d]
}
6.func SplitAfterN(s, sep string, n int) []string該函數s根據sep分割,返回分割之後子字串的slice,和split一樣,只是返回的子字串保留sep,如果sep為空白,那麼每一個字元都分割
複製代碼代碼如下:
import (
"fmt"
"strings"
)
func main() {
fmt.Println(strings.SplitAfterN("a,b,c,d,r", ",", 4)) //["a," "b," "c," "d,r"]
fmt.Println(strings.SplitAfterN("a,b,c,d,r", ",", 5)) //["a," "b," "c," "d," "r"]
}
7.func SplitN(s, sep string, n int) []string,這個是切割字串的時候自己定義長度,如果sep為空白,那麼每一個字元都分割
複製代碼代碼如下:
import (
"fmt"
"strings"
)
func main() {
fmt.Println(strings.SplitN("a,b,c", ",", 2)) //[a b,c]
}
Go語言編程中字串切割方法小結