Regexp
Remove all numbers from a string
In order to remove all number from a string we could have used replaceAll in loop while replacing int i from 0 to 9. And for some reason it’s faster But one better way is to use regex. Sample of which is given below
package main
import (
"log"
"regexp"
)
func main() {
log.Println("Using regexp to remove numbers from string")
sample := "ThisIsASampleStringWithNumbersFrom0To9InOrder0123456789AndThat'sIt"
numbersRegExp := regexp.MustCompile("[0-9]+")
op := numbersRegExp.ReplaceAllString(sample, "")
log.Println(op)
}
Click here to run this code
Now what we have done here is:
- We have created a regexp that identifies all the numbers using
regexp.MustCompile("[0-9]+")
- Then we are using it as replacement in
sample
string with blanks usingnumbersRegExp.ReplaceAllString(sample, "")
That’s it! in simple 2 steps you get your work done.