Go 正则匹配之跨行匹配

跨行匹配

一般正则匹配默认是按行来进行匹配的,如果要跨行匹配,需要使用 `(?s)` 来启用多行模式。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."// fmt.Println(data)// re := regexp.MustCompile(`line.*And`)re := regexp.MustCompile(`(?s)line.*And`)match := re.FindString(data)fmt.Println(match)out := re.ReplaceAllString(data, "------")fmt.Println(out)
}
line. 
And
This is the first ------ this is the second line.

go 正则匹配相关的其他常用函数

Compile、MustCompile

同样的功能,不同的设计:

  1. Compile函数基于错误处理设计,将正则表达式编译成有效的可匹配格式,适用于用户输入场景。当用户输入的正则表达式不合法时,该函数会返回一个错误。
  2. MustCompile函数基于异常处理设计,适用于硬编码场景。当调用者明确知道输入不会引起函数错误时,要求调用者检查这个错误是不必要和累赘的。我们应该假设函数的输入一直合法,当调用者输入了不应该出现的输入时,就触发panic异常。

其实直接从 MustCompile 的实现可以看出,MustCompile 本质上是调用的 Compile ,如果表达式编译失败,直接 panic ,而 Compile 则会把 err 返回,由用户决定是否 panic 或进行其他处理:

// MustCompile is like Compile but panics if the expression cannot be parsed.
// It simplifies safe initialization of global variables holding compiled regular
// expressions.
func MustCompile(str string) *Regexp {regexp, err := Compile(str)if err != nil {panic(`regexp: Compile(` + quote(str) + `): ` + err.Error())}return regexp
}

FindString

FindString 用来返回匹配到的第一个字符串。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindString(data)fmt.Println(match) // the first line
}

FindAllString

FindString 用来返回匹配到的所有的字符串。用户可以指定想要返回的匹配到的字符串的个数。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindAllString(data, 3)fmt.Printf("%#v\n", match) // []string{"the first line", "the second line"}
}

Find

类似于FindString,只不过以字节数组的形式表示。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.Find([]byte(data))// match := re.FindAll([]byte(data), 3)fmt.Printf("%#v\n", match)         // []byte{0x74, 0x68, 0x65, 0x20, 0x66, 0x69, 0x72, 0x73, 0x74, 0x20, 0x6c, 0x69, 0x6e, 0x65}fmt.Printf("%#v\n", string(match)) // "the first line"
}

FindAll

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)// match := re.Find([]byte(data))match := re.FindAll([]byte(data), 3)fmt.Printf("%#v\n", match) // [][]uint8{[]uint8{0x74, 0x68, 0x65, 0x20, 0x66, 0x69, 0x72, 0x73, 0x74, 0x20, 0x6c, 0x69, 0x6e, 0x65}, []uint8{0x74, 0x68, 0x65, 0x20, 0x73, 0x65, 0x63, 0x6f, 0x6e, 0x64, 0x20, 0x6c, 0x69, 0x6e, 0x65}}
}

FindIndex

返回匹配字符串的起始位置和结束位置索引,未匹配到的话返回 nil

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindIndex([]byte(data))// match := re.FindAll([]byte(data), 3)fmt.Printf("%#v\n", match)                   // []int{8, 22}if match == nil {fmt.Println("match is nil")return}fmt.Printf("%#v\n", data[match[0]:match[1]]) // "the first line"
}

临时插入一个小知识,声明一个未初始化的 Array 或 Map ,其值初始为 nil。

package mainimport ("fmt"
)func main() {var a []intfmt.Printf("%#v\n", a) // []int(nil)fmt.Println(a == nil)  // truea = []int{}fmt.Printf("%#v\n", a) // []int{}fmt.Println(a == nil)  // falsevar m map[string]stringfmt.Printf("%#v\n", m) // map[string]string(nil)fmt.Println(m == nil)  // truem = map[string]string{}fmt.Printf("%#v\n", m) // map[string]string{}fmt.Println(m == nil)  // false
}

FindAllIndex

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindAllIndex([]byte(data), 3)// match := re.FindAll([]byte(data), 3)fmt.Printf("%#v\n", match) // [][]int{[]int{8, 22}, []int{37, 52}}if match == nil {fmt.Println("match is nil")return}for _, m := range match {fmt.Printf("%#v\n", data[m[0]:m[1]]) // "the first line"  "the second line"}
}

FindSubMatch

有些例子比较简单,就不多描述了

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindSubmatch([]byte(data))fmt.Printf("%#v\n", match) // [][]uint8{[]uint8{0x74, 0x68, 0x65, 0x20, 0x66, 0x69, 0x72, 0x73, 0x74, 0x20, 0x6c, 0x69, 0x6e, 0x65}}
}

FindAllSubMatch

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindAllSubmatch([]byte(data), 3)fmt.Printf("%#v\n", match) // [][][]uint8{[][]uint8{[]uint8{0x74, 0x68, 0x65, 0x20, 0x66, 0x69, 0x72, 0x73, 0x74, 0x20, 0x6c, 0x69, 0x6e, 0x65}}, //             [][]uint8{[]uint8{0x74, 0x68, 0x65, 0x20, 0x73, 0x65, 0x63, 0x6f, 0x6e, 0x64, 0x20, 0x6c, 0x69, 0x6e, 0x65}}}
}

FindStringSubMatch

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindStringSubmatch(data)fmt.Printf("%#v\n", match) // []string{"the first line"}
}

FindAllStringSubMatch

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.FindAllStringSubmatch(data, 3)fmt.Printf("%#v\n", match) // [][]string{[]string{"the first line"}, []string{"the second line"}}
}

ReplaceAllString

将所有匹配到的字符串使用给定字符串进行替换。替换的字符可以引用匹配组的内容。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the (.*) line`)out := re.ReplaceAllString(data, "$1") fmt.Printf("%#v\n", out) // "This is first. \nAnd this is second."
}

ReplaceAllFunc 

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)out := re.ReplaceAllFunc([]byte(data), func(bytes []byte) []byte {return []byte("[" + string(bytes) + "]")})fmt.Printf("%#v\n", out)         // []byte{0x54, 0x68, 0x69, 0x73, 0x20, 0x69, 0x73, 0x20, 0x5b, 0x74, 0x68, 0x65, 0x20, 0x66, 0x69, 0x72, 0x73, 0x74, 0x20, 0x6c, 0x69, 0x6e, 0x65, 0x5d, 0x2e, 0x20, 0xa, 0x41, 0x6e, 0x64, 0x20, 0x74, 0x68, 0x69, 0x73, 0x20, 0x69, 0x73, 0x20, 0x5b, 0x74, 0x68, 0x65, 0x20, 0x73, 0x65, 0x63, 0x6f, 0x6e, 0x64, 0x20, 0x6c, 0x69, 0x6e, 0x65, 0x5d, 0x2e}fmt.Printf("%#v\n", string(out)) // "This is [the first line]. \nAnd this is [the second line]."
}

ReplaceAllStringFunc

可以编写函数来决定如何替换掉匹配到的字符串,其中匿名函数中参数 s 为匹配到的字符串。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)out := re.ReplaceAllStringFunc(data, func(s string) string {return "[" + s + "]"})fmt.Printf("%#v\n", out) // "This is [the first line]. \nAnd this is [the second line]."
}

ReplaceAllLiteral

通过字面量替换,以字节数组的形式。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the (.*) line`)out := re.ReplaceAllLiteral([]byte(data), []byte("$1"))fmt.Printf("%#v\n", out)         // []byte{0x54, 0x68, 0x69, 0x73, 0x20, 0x69, 0x73, 0x20, 0x24, 0x31, 0x2e, 0x20, 0xa, 0x41, 0x6e, 0x64, 0x20, 0x74, 0x68, 0x69, 0x73, 0x20, 0x69, 0x73, 0x20, 0x24, 0x31, 0x2e}fmt.Printf("%#v\n", string(out)) // "This is $1. \nAnd this is $1."
}

ReplaceAllLiteralString

替换的字符串被当作字符串字面量进行处理。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the (.*) line`)out := re.ReplaceAllLiteralString(data, "$1")fmt.Printf("%#v\n", out) // "This is $1. \nAnd this is $1."
}

ReplaceAll

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)out := re.ReplaceAll([]byte(data), []byte("---replace string---"))fmt.Printf("%#v\n", out)         // []byte{0x54, 0x68, 0x69, 0x73, 0x20, 0x69, 0x73, 0x20, 0x2d, 0x2d, 0x2d, 0x72, 0x65, 0x70, 0x6c, 0x61, 0x63, 0x65, 0x20, 0x73, 0x74, 0x72, 0x69, 0x6e, 0x67, 0x2d, 0x2d, 0x2d, 0x2e, 0x20, 0xa, 0x41, 0x6e, 0x64, 0x20, 0x74, 0x68, 0x69, 0x73, 0x20, 0x69, 0x73, 0x20, 0x2d, 0x2d, 0x2d, 0x72, 0x65, 0x70, 0x6c, 0x61, 0x63, 0x65, 0x20, 0x73, 0x74, 0x72, 0x69, 0x6e, 0x67, 0x2d, 0x2d, 0x2d, 0x2e}fmt.Printf("%#v\n", string(out)) // "This is ---replace string---. \nAnd this is ---replace string---."
}

MatchString

正则模式是否有匹配到字符串。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.MatchString(data)fmt.Printf("%#v\n", match) // truere = regexp.MustCompile(`the x.* line`)match = re.MatchString(data)fmt.Printf("%#v\n", match) // false
}

Match

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)match := re.Match([]byte(data))fmt.Printf("%#v\n", match) // truere = regexp.MustCompile(`the x.* line`)match = re.Match([]byte(data))fmt.Printf("%#v\n", match) // false
}

Split

将正则匹配到的字符串作为分隔符,对原字符串进行 Split 分隔,返回分隔后生成的数据。用户可以指定分隔后数组的长度(不超过全部分隔后的数组长度)。

package mainimport ("fmt""regexp"
)func main() {data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the .* line`)out := re.Split(data, 1)fmt.Printf("%#v\n", out) // []string{"This is the first line. \nAnd this is the second line."}out = re.Split(data, 2)fmt.Printf("%#v\n", out) // []string{"This is ", ". \nAnd this is the second line."}out = re.Split(data, 3)fmt.Printf("%#v\n", out) // []string{"This is ", ". \nAnd this is ", "."}out = re.Split(data, 4)fmt.Printf("%#v\n", out) // []string{"This is ", ". \nAnd this is ", "."}
}

NumSubexp

返回正则模式子组的数目

package mainimport ("fmt""regexp"
)func main() {// data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the (.*) lin()e`)// out := re.FindString(data)// fmt.Printf("%#v\n", out)fmt.Printf("%#v\n", re.NumSubexp()) // 2
}

LiteralPrefix

返回所有匹配项都共同拥有的前缀(去除可变元素)

prefix:共同拥有的前缀

complete:如果 prefix 就是正则表达式本身,则返回 true,否则返回 false

package mainimport ("fmt""regexp"
)func main() {// data := "This is the first line. \nAnd this is the second line."re := regexp.MustCompile(`the (.*) line`)prefix, complete := re.LiteralPrefix()fmt.Printf("%#v\n", prefix)   // "the "fmt.Printf("%#v\n", complete) // falsere = regexp.MustCompile(`the line`)prefix, complete = re.LiteralPrefix()fmt.Printf("%#v\n", prefix)   // "the line"fmt.Printf("%#v\n", complete) // true
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/591454.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

RocketMQ源码解析-主从同步原理(HA)

1、关键组件 主从同步的实现逻辑主要在HAService中,在它的构造函数中实例化了几个对象同时在start()方法内执行启动: public class HAService {public HAService(final DefaultMessageStore defaultMessageStore) throws IOException {this.defaultMes…

李宏毅机器学习第二十三周周报 Flow-based model

文章目录 week 23 Flow-based model摘要Abstract一、李宏毅机器学习1.引言2.数学背景2.1Jacobian2.2Determinant2.3Change of Variable Theorem 3.Flow-based Model4.GLOW 二、文献阅读1. 题目2. abstract3. 网络架构3.1 change of variable formula3.2 Coupling layers3.3Prop…

阿里云域名外部入库流程

注册商是阿里云,且在阿里云管理的,请使用此教程外部入库。 如您的域名注册商是阿里云但在聚名管理,请参考教程:https://www.west.cn/faq/list.asp?unid2539 在外部入库操作之前,请先登录阿里云获取账号ID。详细的账…

软件测试方法分类-按照是否手工执行划分

接上一篇,下来我们再细讲,第二个维度的分类, 软件测试方法分类-按照是否手工执行划分 按是否手工执行划分 1,手工测试(manualTesting) 手工测试是由人一个一个的输入用例,然后观察结果,和机器测试相对应,属于比较原始但是必须的一种。 2,自动化测试(automationTestin…

【刷题日志】深度理解除(/)与取模(%)附水仙花数以及变种水仙花数题解

文章目录 🚀前言🚀除与取模🚀水仙花数🚀变种水仙花数 🚀前言 本专栏文章都直奔刷题主题,阿辉都不会在废话了,加油,少年!!! 🚀除与取…

STM32CubeMX教程11 RTC 实时时钟 - 入侵检测和时间戳

目录 1、准备材料 2、实验目标 3、实验流程 3.0、前提知识 3.1、CubeMX相关配置 3.1.1、时钟树配置 3.1.2、外设参数配置 3.1.3、外设中断配置 3.2、生成代码 3.2.1、外设初始化调用流程 3.2.2、外设中断调用流程 3.2.3、添加其他必要代码 4、常用函数 5、烧录验…

国科大2023.12.28图像处理0854最后一节划重点

国科大图像处理2023速通期末——汇总2017-2019 图像处理 王伟强 作业 课件 资料 第1、2章不考 第3章 空间域图像增强 3.2 基本灰度变换(考过填空) 3.2.1 图像反转 3.2.2 对数变换 3.2.3 幂次变换 3.3 直方图处理 3.3.1 直方图均衡化(大题计算) …

sklearn.feature_selection.SelectFromModel利用模型筛选特征

sklearn.feature_selection.SelectFromModel模型筛选特征 以随机森林为例,查看随机森林之类的模型使用的特征。有两种使用方式: 1, 使用未训练的模型 from sklearn.feature_selection import SelectFromModel from sklearn.ensemble impor…

探索 CodeWave低代码技术的魅力与应用

目录 前言1 低代码平台2 CodeWave简介3 CodeWave 的独特之处3.1 高保真还原交互视觉需求3.2 擅长复杂应用开发3.3 支持应用导出&独立部署3.4 金融级安全要求3.5 可集成性高3.6 可拓展性强 4 平台架构和核心功能4.1 数据模型设计4.2 页面设计4.3 逻辑设计4.4 流程设计4.5 接…

SOEM控制伺服电机方法

之前我写了一个控制伺服的程序&#xff0c;但是方式是错误的&#xff0c;后来也不怎么SOEM了&#xff0c;最近有用到&#xff0c;就重新写了一个测试程序&#xff0c;重新发布一下 我使用的是23位编码器电机 #include <stdio.h> #include <sys/time.h> #include &…

大数据软件开发软件架构设计思路

文章目录 大数据技术和传统的软件开发技术在架构思路上有很大不同如何解决PB级数据进行计算的问题呢&#xff1f;移动计算程序到数据所在位置进行计算是如何实现的呢&#xff1f;小结 大数据技术和传统的软件开发技术在架构思路上有很大不同 大数据技术更为关注数据&#xff0…

新能源汽车冷却系统的水道管口类型有哪些?格雷希尔针对这些管口密封的快速接头有哪些?

对于新能源汽车&#xff0c;不仅电池&#xff0c;还有电机、电控、充电单元部件&#xff0c;都需要处于适宜的工作温度&#xff0c;才能维持整车的正常运行。而这些部件在运行过程中会产生大量的热量&#xff0c;如果不及时散热会对汽车的性能、寿命产生影响&#xff0c;甚至可…

Scrapy爬虫中合理使用time.sleep和Request

概述 在Scrapy爬虫中&#xff0c;我们需要深入分析time.sleep和Request对象对并发请求的影响。time.sleep函数用于在发起请求之前等待一段时间&#xff0c;而Request对象用于发送HTTP请求。我们必须仔细考虑这些操作对其他并发请求的潜在影响&#xff0c;以及在异步情况下可能…

收集最新的 Sci-Hub 网址(本文章持续更新2024)

自用收集最新的 Sci-Hub 网址 本文章持续更新收集 Sci-Hub 的可用网址链接仅供交流学习使用&#xff0c;如对您有所帮助&#xff0c;请收藏并推荐给需要的朋友&#xff0c;由于网站限制&#xff0c;不一定所有网址都能在您所在的位置访问&#xff0c;通常情况下&#xff0c;一…

TTS | NaturalSpeech语音合成论文详解及项目实现【正在更新中】

----------------------------------&#x1f50a; 语音合成 相关系列直达 &#x1f50a; ------------------------------------- ✨NaturalSpeech&#xff1a;正在更新中~ ✨NaturalSpeech2&#xff1a;TTS | NaturalSpeech2语音合成论文详解及项目实现 本文主要是 讲解了Nat…

基于孔雀优化算法的航线规划

MATLAB2020a下正常运行 上传明细-CSDN创作中心

Excel中部分sheet页隐藏并设置访问密码

1、新建sheet1 2、新建sheet2 3、隐藏sheet2 4、保护工作簿、输密码 5、密码二次确认 6、隐藏的sheet2已经查看不了 7、想要查看时&#xff0c;按图示输入原密码即可 8、查看sheet2内容

【软件工程】航行敏捷之路:深度解析Scrum框架的精髓

&#x1f34e;个人博客&#xff1a;个人主页 &#x1f3c6;个人专栏&#xff1a; 软件工程 ⛳️ 功不唐捐&#xff0c;玉汝于成 目录 前言 正文 Scrum&#xff08;敏捷开发框架之一&#xff09; 详细介绍和解释&#xff1a; 优缺点&#xff1a; 优点&#xff1a; 缺点&…

【MySQL】数据库之高级SQL查询语句补充

目录 一、补充正则表达式的查询regexp 二、补充case的用法 三、补充空值和null值的区别 一、补充正则表达式的查询regexp 要知道 在MySQL中使用正则表达式&#xff0c;一定要在前面加上regexp 正则表达式 ^ 匹配文本的开始字符 ‘^bd’ 匹配以 bd 开头的字符串 …

开关电源输入输出电压测试方法:如何用开关电源智能测试系统测试输入输出电压?

一、用万用表测量输入输出电压 1. 连接万用表到电路中 2. 将万用表调到直流电压挡&#xff0c;连接红表笔到开关电源正极&#xff0c;连接黑表笔到开关电源负极。 3. 打开电源&#xff0c;读取万用表显示的电压值。 二、用示波器测量输入输出电压 1. 连接示波器到电路中 2. 将示…