📜  在 Golang 中检查符文是否为 Unicode 标点字符

📅  最后修改于: 2021-10-24 13:29:37             🧑  作者: Mango

Rune 是 ASCII 的超集或者它是int32的别名。它包含世界书写系统中可用的所有字符,包括重音符号和其他变音符号、制表符和回车符等控制代码,并为每个字符分配一个标准编号。这个标准数字在 Go 语言中被称为 Unicode 代码点或符文。
您可以在IsPunct()函数的帮助下检查给定的符文是否为 Unicode 标点字符。如果给定的神符是Unicode标点字符,或返回false,如果给定的符文是不是一个Unicode标点字符此函数返回true。这个函数是在Unicode包下定义的,所以为了访问这个方法,你需要在你的程序中导入Unicode包。

句法:

func IsPunct(r rune) bool

此函数的返回类型是布尔值。让我们在给定的例子的帮助下讨论这个概念:

例子:

// Go program to illustrate how to check the
// given rune is a Unicode punctuation
// character or not
package main
  
import (
    "fmt"
    "unicode"
)
  
// Main function
func main() {
  
    // Creating rune
    rune_1 := 'g'
    rune_2 := 'e'
    rune_3 := '!'
    rune_4 := ','
    rune_5 := 'S'
  
    // Checking the given rune is a Unicode 
    // punctuation character or not
    // Using IsPunct() function
    res_1 := unicode.IsPunct(rune_1)
    res_2 := unicode.IsPunct(rune_2)
    res_3 := unicode.IsPunct(rune_3)
    res_4 := unicode.IsPunct(rune_4)
    res_5 := unicode.IsPunct(rune_5)
  
    // Displaying results
    fmt.Println(res_1)
    fmt.Println(res_2)
    fmt.Println(res_3)
    fmt.Println(res_4)
    fmt.Println(res_5)
  
}

输出:

false
false
true
true
false

示例 2:

// Go program to illustrate how to check the
// given rune is a Unicode punctuation
// character or not
package main
  
import (
    "fmt"
    "unicode"
)
  
// Main function
func main() {
  
    // Creating a slice of rune
    val := []rune{'g', 'f', 'G', '#', ',', ':'}
  
    // Checking each element of the given slice
    // of the rune is a Unicode punctuation 
    // character or not
    // Using IsPunct() function
    for i := 0; i < len(val); i++ {
  
        if unicode.IsPunct(val[i]) == true {
  
            fmt.Println("It is a Unicode punctuation character")
              
        } else {
          
            fmt.Println("It is not a Unicode punctuation character")
        }
    }
}

输出:

It is not a Unicode punctuation character
It is not a Unicode punctuation character
It is not a Unicode punctuation character
It is a Unicode punctuation character
It is a Unicode punctuation character
It is a Unicode punctuation character