2017-12-29 16:03:30 +08:00
|
|
|
// Copyright 2017 gf Author(https://gitee.com/johng/gf). All Rights Reserved.
|
|
|
|
//
|
|
|
|
// This Source Code Form is subject to the terms of the MIT License.
|
|
|
|
// If a copy of the MIT was not distributed with this file,
|
|
|
|
// You can obtain one at https://gitee.com/johng/gf.
|
|
|
|
|
2018-03-08 09:37:19 +08:00
|
|
|
// 正则表达式.
|
2017-11-23 10:21:28 +08:00
|
|
|
package gregx
|
|
|
|
|
|
|
|
import (
|
|
|
|
"regexp"
|
|
|
|
)
|
|
|
|
|
|
|
|
// 正则表达式是否匹配
|
2017-12-28 15:21:25 +08:00
|
|
|
func IsMatch(pattern string, src []byte) bool {
|
|
|
|
match, err := regexp.Match(pattern, src)
|
2017-11-23 10:21:28 +08:00
|
|
|
if err != nil {
|
|
|
|
return false
|
|
|
|
}
|
|
|
|
return match
|
2017-12-28 15:21:25 +08:00
|
|
|
}
|
|
|
|
|
|
|
|
func IsMatchString(pattern string, src string) bool {
|
|
|
|
return IsMatch(pattern, []byte(src))
|
|
|
|
}
|
|
|
|
|
2017-12-29 15:42:42 +08:00
|
|
|
// 正则匹配,并返回匹配的列表
|
|
|
|
func MatchString(pattern string, src string) ([]string, error) {
|
|
|
|
reg, err := regexp.Compile(pattern)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
s := reg.FindStringSubmatch(src)
|
|
|
|
return s, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func MatchAllString(pattern string, src string) ([][]string, error) {
|
|
|
|
reg, err := regexp.Compile(pattern)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
s := reg.FindAllStringSubmatch(src, -1)
|
|
|
|
return s, nil
|
|
|
|
}
|
|
|
|
|
2017-12-28 15:21:25 +08:00
|
|
|
// 正则替换(全部替换)
|
2018-03-08 09:37:19 +08:00
|
|
|
func Replace(pattern string, replace, src []byte) ([]byte, error) {
|
2017-12-28 15:21:25 +08:00
|
|
|
reg, err := regexp.Compile(pattern)
|
|
|
|
if err != nil {
|
|
|
|
return src, err
|
|
|
|
}
|
|
|
|
return reg.ReplaceAll(src, replace), nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// 正则替换(全部替换),字符串
|
2018-03-08 09:37:19 +08:00
|
|
|
func ReplaceString(pattern, replace, src string) (string, error) {
|
2018-03-13 17:57:41 +08:00
|
|
|
r, e := Replace(pattern, []byte(replace), []byte(src))
|
2017-12-28 15:21:25 +08:00
|
|
|
return string(r), e
|
2017-11-23 10:21:28 +08:00
|
|
|
}
|