How to split a string with multiple separators in Go

2 Answers

0 votes
package main

import (
    "fmt"
    "regexp"
)

func main() {
    input := "abc,defg;hijk|lmnop-qrst_uvwxyz"

    // Match multiple separators using regex
    re := regexp.MustCompile(`[,\;\|\-_]+`)
    result := re.Split(input, -1)

    for _, word := range result {
        fmt.Println(word)
    }
}


/*
run:

abc
defg
hijk
lmnop
qrst
uvwxyz

*/

 



answered Jul 21, 2025 by avibootz
0 votes
package main

import (
    "fmt"
    "regexp"
)

// splits a string using multiple separators: comma, semicolon, pipe, dash, underscore
func splitBySeparators(input string, separators string) []string {
    re := regexp.MustCompile(separators)
    return re.Split(input, -1)
}

func main() {
    input := "abc,defg;hijk|lmnop-qrst_uvwxyz"
    separators := `[,\;\|\-_]+`

    words := splitBySeparators(input, separators)

    for _, word := range words {
        fmt.Println(word)
    }
}



/*
run:

abc
defg
hijk
lmnop
qrst
uvwxyz

*/

 



answered Jul 21, 2025 by avibootz
...