data:image/s3,"s3://crabby-images/63285/63285f3607ed0ceb627b2f58773bbcd801061d62" alt="Go Standard Library Cookbook"
上QQ阅读APP看书,第一时间看更新
How to do it...
- Open the console and create the folder chapter02/recipe02.
- Navigate to the directory.
- Create the whitespace.go file with the following content:
package main
import (
"fmt"
"strings"
)
const refString = "Mary had a little lamb"
func main() {
words := strings.Fields(refString)
for idx, word := range words {
fmt.Printf("Word %d is: %s\n", idx, word)
}
}
- Run the code by executing go run whitespace.go.
- See the output in the Terminal:
data:image/s3,"s3://crabby-images/eef15/eef15ef6e78eda05d0d977d7cd1b0c9e69b1c679" alt=""
- Create another file called anyother.go with the following content:
package main
import (
"fmt"
"strings"
)
const refString = "Mary_had a little_lamb"
func main() {
words := strings.Split(refString, "_")
for idx, word := range words {
fmt.Printf("Word %d is: %s\n", idx, word)
}
}
- Run the code by executing go run anyother.go.
- See the output in the Terminal:
data:image/s3,"s3://crabby-images/0f81c/0f81cc8a08e4a1baf6a5a6adb6d240a2a6acbdd8" alt=""
- Create another file called specfunction.go with the following content:
package main
import (
"fmt"
"strings"
)
const refString = "Mary*had,a%little_lamb"
func main() {
// The splitFunc is called for each
// rune in a string. If the rune
// equals any of character in a "*%,_"
// the refString is split.
splitFunc := func(r rune) bool {
return strings.ContainsRune("*%,_", r)
}
words := strings.FieldsFunc(refString, splitFunc)
for idx, word := range words {
fmt.Printf("Word %d is: %s\n", idx, word)
}
}
- Run the code by executing go run specfunction.go.
- See the output in the Terminal:
data:image/s3,"s3://crabby-images/ceedb/ceedbd4efa187ed43614e8536363dba62032cdea" alt=""
- Create another file called regex.go with the following content:
package main
import (
"fmt"
"regexp"
)
const refString = "Mary*had,a%little_lamb"
func main() {
words := regexp.MustCompile("[*,%_]{1}").Split(refString, -1)
for idx, word := range words {
fmt.Printf("Word %d is: %s\n", idx, word)
}
}
- Run the code by executing go run regex.go.
- See the output in the Terminal:
data:image/s3,"s3://crabby-images/74ecf/74ecf0624d0d30fe6ac654ecc184bb213defb47d" alt=""