Rune 是 ASCII 的超集或者是 int32 的别名。它包含世界书写系统中可用的所有字符,包括重音符号和其他变音符号、制表符和回车符等控制代码,并为每个字符分配一个标准编号。这个标准数字在 Go 语言中被称为 Unicode 代码点或符文。
您可以在IsLower()函数的帮助下检查给定的符文是否为小写字母。如果给定的符文是小写字母,则此函数返回 true,如果给定的符文不是小写字母,则返回 false。这个函数是在Unicode包下定义的,所以为了访问这个方法,你需要在你的程序中导入Unicode包。
句法:
func IsLower(r rune) bool
此函数的返回类型是布尔值。让我们在给定的例子的帮助下讨论这个概念:
示例 1:
// Go program to illustrate how to check
// the given rune is a lowercase letter
// or not
package main
import (
"fmt"
"unicode"
)
// Main function
func main() {
// Creating rune
rune_1 := 'g'
rune_2 := 'e'
rune_3 := 'E'
rune_4 := 'k'
rune_5 := 'S'
// Checking the given rune is
// a lower case letter or not
// Using IsLower() function
res_1 := unicode.IsLower(rune_1)
res_2 := unicode.IsLower(rune_2)
res_3 := unicode.IsLower(rune_3)
res_4 := unicode.IsLower(rune_4)
res_5 := unicode.IsLower(rune_5)
// Displaying results
fmt.Println(res_1)
fmt.Println(res_2)
fmt.Println(res_3)
fmt.Println(res_4)
fmt.Println(res_5)
}
输出:
true
true
false
true
false
示例 2:
// Go program to illustrate how to check
// the given rune is a lowercase letter
// or not
package main
import (
"fmt"
"unicode"
)
// Main function
func main() {
// Creating a slice of rune
val := []rune{'g', 'E', 'e', 'K', 's'}
// Checking each element of the given slice
// of the rune is a lowercase letter
// Using IsLower() function
for i := 0; i < len(val); i++ {
if unicode.IsLower(val[i]) == true {
fmt.Printf("\n%c is a lower case letter", val[i])
} else {
fmt.Printf("\n%c is not a lower case letter", val[i])
}
}
}
输出:
g is a lower case letter
E is not a lower case letter
e is a lower case letter
K is not a lower case letter
s is a lower case letter