How to check UPPERCASE characters in a string in Golang?
Checking if all characters of a string are Uppercase evaluates to True or False. For example, checking if the string "TEST" is uppercase evaluates to True.
Use strings.ToUpper(s) to check are characters are in uppercase
package main
import (
"fmt"
"strings"
)
func main() {
s := "UPPERCASE"
fmt.Println(strings.ToUpper(s) == s) // true
s = "CAN'T"
fmt.Println(strings.ToUpper(s) == s) // true
}
Use unicode.IsUpper(s) to verify all characters are in uppercase
package main
import (
"fmt"
"unicode"
)
func IsUpper(s string) bool {
for _, r := range s {
if !unicode.IsUpper(r) && unicode.IsLetter(r) {
return false
}
}
return true
}
func main() {
fmt.Println(IsUpper("UPPERCASE")) // true
fmt.Println(IsUpper("CAN'T")) // true
}
Most Helpful This Week
Regular Expression to get a string between parentheses in Golang
How to use Ellipsis (...) in Golang?
How to Unmarshal nested JSON structure?
Get Hours, Days, Minutes and Seconds difference between two dates [Future and Past]
What is Rune? How to get ASCII value of any character in Go?
How to find the type of the variable by different ways in Golang?