Golang : Word limiter example
Problem:
You want to limit a string to X number of words. How to do that?
Solution:
Break the string into a slice of words, count the total number of words and join the words into a new string again but limited to the specified X number.
For example:
package main
import (
"fmt"
"strings"
)
// Limits a string to X number of words.
func word_limiter(s string, limit int) string {
if strings.TrimSpace(s) == "" {
return s
}
// convert string to slice
strSlice := strings.Fields(s)
// count the number of words
numWords := len(strSlice)
var result string
if numWords > limit {
// convert slice/array back to string
result = strings.Join(strSlice[0:limit], " ")
// the three dots for end characters are optional
// you can change it to something else or remove this line
result = result + "..."
} else {
// the number of limit is higher than the number of words
// return default or else will cause
// panic: runtime error: slice bounds out of range
result = s
}
return string(result)
}
func main() {
str := "Here is a nice text string consisting of eleven words."
// limit to 3 words
fmt.Println(word_limiter(str, 3))
// limit to 8 words
fmt.Println(word_limiter(str, 8))
// limit to 18 words
// will return all words because limit is higher than the number of
// words
fmt.Println(word_limiter(str, 18))
unicodeStr := "世界你好"
// limit to 3 words -- will not work!
// characters need to be separated by spaces
fmt.Println(word_limiter(unicodeStr, 3))
unicodeStr2 := "世 界 你 好"
// limit to 3 words
// -- will work because characters are separated by spaces
fmt.Println(word_limiter(unicodeStr2, 3))
}
Output:
Here is a...
Here is a nice text string consisting of...
Here is a nice text string consisting of eleven words.
世界你好
世 界 你...
References:
https://www.socketloop.com/tutorials/golang-append-and-add-item-in-slice
https://github.com/bcit-ci/CodeIgniter/blob/develop/system/helpers/text_helper.php
See also : Golang : Count number of runes in string
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+10.4k Golang : Bubble sort example
+18.4k Golang : Implement getters and setters
+18.6k Golang : How to make function callback or pass value from function as parameter?
+29k Golang : missing Git command
+23.5k Golang : Fix type interface{} has no field or no methods and type assertions example
+11.4k CodeIgniter : Import Linkedin data
+4.1k Golang : Converting individual Jawi alphabet to Rumi(Romanized) alphabet example
+9k Golang : does not implement flag.Value (missing Set method)
+13.9k Golang : Chunk split or divide a string into smaller chunk example
+14.1k Golang : How to convert a number to words
+30.3k Golang : Remove characters from string example