Open In App

Check If the Rune is a Space Character or not in Golang

Improve
Improve
Like Article
Like
Save
Share
Report

Rune is a superset of ASCII or it is an alias of int32. It holds all the characters available in the world’s writing system, including accents and other diacritical marks, control codes like tab and carriage return, and assigns each one a standard number. This standard number is known as a Unicode code point or rune in the Go language.
You are allowed to check the given rune is a space character or not defined by the Unicode’s White Space property, with the help of IsSymbol() function. This function returns true if the given rune is a space character, or return false if the given rune is not a space character. This function is defined under Unicode package, so for accessing this method you need to import the Unicode package in your program.

Syntax:

func IsSpace(r rune) bool

The return type of this function is boolean. Let us discuss this concept with the help of given examples:

Example 1:




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


Output:

false
false
true
true
false

Example 2:




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


Output:

It is not a space character
It is a space character
It is a space character
It is not a space character
It is a space character


Last Updated : 27 Sep, 2019
Like Article
Save Article
Previous
Next
Share your thoughts in the comments
Similar Reads