正则表达式类型的Golang SplitAfter

In golang strings.SplitAfter method split text after an special character into an slice, but I didn't find a way for Regexp type to split text after matches. Is there a way to do that?

Example :

var text string = "1.2.3.4.5.6.7.8.9"

res := strings.Split(text, ".")
fmt.Println(res) // print [1 2 3 4 5 6 7 8 9]

res = strings.SplitAfter(text, ".")
fmt.Println(res) // print [1. 2. 3. 4. 5. 6. 7. 8. 9]

Regexp type itself does not have a method to do that exactly that but it's quite simple to write a function that implements what your asking based on Regexp functionality:

func SplitAfter(s string, re *regexp.Regexp) []string {
    var (
        r []string
        p int
    )
    is := re.FindAllStringIndex(s, -1)
    if is == nil {
        return append(r, s)
    }
    for _, i := range is {
        r = append(r, s[p:i[1]])
        p = i[1]
    }
    return append(r, s[p:])
}

Here I left a program to play with it.