我试图用字符串中确定的数字范围替换随机数的字符串
package main
import (
"fmt"
"math/rand"
"regexp"
"strconv"
)
func replaceFunc(s string) string {
groups := //?? How do i get the current mach groups
return rand.Intn( groups[2] - groups[1]) + groups[1]
}
func main() {
rand.Seed(time.Now().Unix())
repl := "1,10 1,50 1,12 1,2 1,3"
repl = regexp.MustCompile("(\\d+),(\\d+)").ReplaceAllStringFunc(repl, replaceFunc)
fmt.Println(repl)
}
替换时如何获得正则表达式组?
最佳答案
您将获得每个匹配项作为该函数的参数(每次匹配项replaceFunc
将被调用一次,但每个组不会被调用一次)。
您可以使用strings.Split
拆分数字,然后将它们转换为整数:
https://play.golang.org/p/ks0tkMQ2TY
func replaceFunc(s string) string {
pieces:= strings.Split(s, ",")
a,_ := strconv.Atoi(pieces[0])
b,_ := strconv.Atoi(pieces[1])
return strconv.Itoa(rand.Intn( b - a) + a)
}
func main() {
rand.Seed(time.Now().Unix())
repl := "1,10 1,50 1,12 1,2 1,3"
repl = regexp.MustCompile("(\\d+),(\\d+)").ReplaceAllStringFunc(repl, replaceFunc)
fmt.Println(repl)
}
关于regex - 在ReplaceAllStringFunc回调中获取组值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40070786/