Golang : Humanize and Titleize functions
Humanize function takes multiple words separated by a given separator and changes them to spaces. Titleize converts a given string into a proper title with each word starting character in upper case.
Here you go!
package main
import (
"fmt"
"strings"
"unicode"
)
func Titleize(input string) (titleized string) {
isToUpper := false
for k, v := range input {
if k == 0 {
titleized = strings.ToUpper(string(input[0]))
} else {
if isToUpper || unicode.IsUpper(v) {
titleized += " " + strings.ToUpper(string(v))
isToUpper = false
} else {
if (v == '_') || (v == ' ') {
isToUpper = true
} else {
titleized += string(v)
}
}
}
}
return
}
func Humanize(input string, separator string) (humanized string) {
// Takes multiple words separated by the separator and changes them to spaces
for k, v := range input {
if k == 0 {
humanized = strings.ToUpper(string(input[0]))
} else {
if string(v) == separator {
humanized += string(" ")
} else {
humanized += string(v)
}
}
}
return
}
func main() {
// separator is _, convert to spaces
fmt.Println(Humanize("the_big_boss", "_"))
// separator is already spaces
fmt.Println(Humanize("big boss", " "))
// separator is +
fmt.Println(Humanize("big+boss", "+"))
fmt.Println(Titleize("nab that guy"))
fmt.Println(Titleize("NabThatGuy"))
fmt.Println(Titleize("space-marinesKillAliens"))
fmt.Println(Titleize("raiders_of_the_lost_ark"))
}
Output:
The big boss
Big boss
Big boss
Nab That Guy
Nab That Guy
Space-marines Kill Aliens
Raiders Of The Lost Ark
See also : Golang : Ordinal and Ordinalize a given number to the English ordinal numeral
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
+7.9k Golang : Variadic function arguments sanity check example
+15.1k Golang : Get query string value on a POST request
+7.4k SSL : How to check if current certificate is sha1 or sha2 from command line
+6.2k Golang : Detect face in uploaded photo like GPlus
+13.8k Golang : Fix cannot use buffer (type bytes.Buffer) as type io.Writer(Write method has pointer receiver) error
+9.6k Random number generation with crypto/rand in Go
+29.3k Golang : Login(Authenticate) with Facebook example
+5.9k Fontello : How to load and use fonts?
+14k Elastic Search : Mapping date format and sort by date
+8.8k Golang : Go as a script or running go with shebang/hashbang style
+16.3k Golang : Check if a string contains multiple sub-strings in []string?