How to check if a string contains a white space in Golang?

Checking if a string contains a space returns True if there is at least one occurrence of " " within the string. For example, checking if "Go Language" contains a space returns True.

Use Regex to verify a string contains white-space
// Golang program to illustrate
// how to check is string
// contains white-space using regex
package main

import (
	"fmt"
	"regexp"
)

func main() {
	word := "Go Language"

	whitespace := regexp.MustCompile(`\s`).MatchString(word)
	fmt.Println(whitespace)
}
Regular expression is widely used for pattern matching. The regexp package provides support for regular expressions, which allow complex patterns to be found in strings. The regexp.MustCompile() function is used to create the regular expression and the MatchString() function returns a bool that indicates whether a pattern is matched by the string.


Most Helpful This Week