Golang中regexp包提供正则匹配、查找、替换等操作。1. 使用MustCompile或Compile解析正则,前者用于已知正确表达式,后者可处理错误;2. MatchString和Match判断字符串或字节切片是否匹配;3. FindString和FindAllString提取首个或全部匹配内容;4. FindStringSubmatch提取捕获组信息;5. ReplaceAllString和ReplaceAllStringFunc实现静态或动态替换;6. Split按正则拆分字符串。建议复用编译后的regexp对象以提升性能。

在Golang中,regexp 包提供了强大的正则表达式支持,可以用于字符串的匹配、查找、替换等操作。下面是对常用方法的汇总和使用示例,帮助你快速掌握 Golang 中的正则匹配技巧。
1. 编译正则表达式(MustCompile 与 Compile)
Go 中使用 regexp.MustCompile 或 regexp.Compile 来解析正则表达式。前者在语法错误时会 panic,适合已知正确表达式;后者返回 error,更安全。
示例:
package main
import (
"fmt"
"regexp"
)
func main() {
// 使用 MustCompile(推荐用于常量表达式)
re := regexp.MustCompile(`\d+`)
fmt.Println(re.MatchString("abc123def")) // 输出: true
// 使用 Compile(可处理错误)
re2, err := regexp.Compile(`\w+@\w+\.\w+`)
if err != nil {
fmt.Println("正则编译失败:", err)
return
}
fmt.Println(re2.MatchString("user@example.com")) // 输出: true
}
2. 判断是否匹配:Match 和 MatchString
这两个方法用于判断字符串是否符合正则模式。区别在于输入类型:
立即学习“go语言免费学习笔记(深入)”;
- MatchString(string):传入字符串
- Match([]byte):传入字节切片
示例:
re := regexp.MustCompile(`^https?://`)
fmt.Println(re.MatchString("https://example.com")) // true
fmt.Println(re.Match([]byte("http://test.org"))) // true
3. 查找匹配内容:Find、FindString 及其变体
这些方法用于提取第一个或所有匹配的内容:
- Find() / FindString():返回第一个匹配
- FindAll() / FindAllString():返回所有匹配(第二个参数控制最大返回数量,-1 表示全部)
示例:
re := regexp.MustCompile(`\b\w{4}\b`) // 匹配4个字母的单词
text := "this is a test of regex"
fmt.Println(re.FindString(text)) // 输出: this
fmt.Println(re.FindAllString(text, -1)) // 输出: [this test]
fmt.Println(re.FindAllString(text, 1)) // 输出: [this](只取第一个)
4. 提取分组信息:FindSubmatch 和 FindStringSubmatch
当你使用括号定义捕获组时,可以用这些方法获取子匹配内容。
示例:
re := regexp.MustCompile(`(\d{4})-(\d{2})-(\d{2})`)
text := "今天是2024-04-05"
matches := re.FindStringSubmatch(text)
if len(matches) > 0 {
fmt.Println("完整匹配:", matches[0]) // 2024-04-05
fmt.Println("年:", matches[1]) // 2024
fmt.Println("月:", matches[2]) // 04
fmt.Println("日:", matches[3]) // 05
}
5. 替换匹配内容:ReplaceAllString 和 ReplaceAllStringFunc
用于替换所有匹配项:
- ReplaceAllString(new):直接替换为固定字符串
- ReplaceAllStringFunc(func):通过函数动态生成替换内容
示例:
re := regexp.MustCompile(`\d+`)
// 简单替换
result1 := re.ReplaceAllString("编号:123", "XXX")
fmt.Println(result1) // 输出: 编号:XXX
// 函数替换(例如给数字加括号)
result2 := re.ReplaceAllStringFunc("a123 b456", func(s string) string {
return "[" + s + "]"
})
fmt.Println(result2) // 输出: a[123] b[456]
6. 拆分字符串:Split
类似于 strings.Split,但支持正则作为分隔符。
示例:
re := regexp.MustCompile(`\s*,\s*`) // 匹配逗号及周围空格
parts := re.Split("apple, banana, cherry", -1)
fmt.Println(parts) // 输出: [apple banana cherry]
基本上就这些。Golang 的 regexp 虽不支持某些高级特性(如后向引用替换),但在大多数场景下足够高效且易用。关键是熟悉核心方法并合理编译复用 regexp 对象以提升性能。










