0%

SQL的模糊匹配区别---like,rlike,regexpx

一、主要区别

  • (1) like的内容不是正则,而是通配符。像mysql中的”like”,但是建议使用高级函数”instr”效率更高。

  • (2) rlike的内容可以是正则,正则的写法与java一样。需要转义,例如’\m’需要使用’\m’

  • (3) regexp == rlike 同义词 not like not regexp

二、Like常用方法

1.like关键字

like有两个模式:_和%

_:表示单个字符,用来查询定长的数据

%:表示0个或多个任意字符

2.示例

1
2
3
4
(1)SELECT * FROM Persons  WHERE City LIKE 'N%'     "Persons" 表中选取居住在以 "N" 开始的城市里的人
(2)SELECT * FROM Persons WHERE City LIKE '%g' "Persons" 表中选取居住在以 "g" 结尾的城市里的人
(3)SELECT * FROM Persons WHERE City LIKE '%lon%' 从 "Persons" 表中选取居住在包含 "lon" 的城市里的人
(4)SELECT * FROM Persons WHERE City NOT LIKE '%lon%' 从 "Persons" 表中选取居住在不包含 "lon" 的城市里的人

三、Mysql中Regexp常见用法

  • 模糊匹配,包含特定字符串

    1
    2
    3
    4
    5
      #查找content字段中包含“车友俱乐部”的记录
    select * from club_content where content regexp '车友俱乐部'

    # 此时的regexp与like的以下用法是等同的
    select * from club_content where content like '%车友俱乐部%'
  • 模糊匹配,以特定字符串开头

    1
    2
    3
    4
    5
    # 查找content字段中以“车友”开头的记录
    select * from club_content where content regexp '^车友'

    # 此时的regexp与like的以下用法是等同的
    select * from club_content where content like '车友%'
  • 模糊匹配,以特定字符串结尾

    1
    2
    3
    4
    5
    # 查找content字段中以“车友”结尾的记录
    select * from club_content where content regexp '车友$'

    # 此时的regexp与like的以下用法是等同的
    select * from club_content where content like '%车友'
  • 模糊匹配 或关系

    1
    2
    # 查找content字段中包含“心得”、“分享”或“技术贴”
    select * from club_content where content REGEXP '心得|分享|技术贴'
  • 模糊匹配,不包含单个字符

    1
    2
    # 查找content字段中不包含“车”字、“友”字的记录
    select * from club_content where content REGEXP [^车友]

    这个结果跑出来一看大吃一惊,竟然把所有记录给跑出来,这是为什么呢?
    因为一旦加了这个方括号”[]”,它就把里面的内容拆成单个的字符再匹配,它会逐个字符去匹配判断是不是等于“车”,或者是不是等于“友“,返回的结果是一组0、1的逻辑值。

如果想匹配不包含特定字符串,该怎么实现呢?

模糊匹配,不包含特定字符串

1
2
# 查找content字段不包含“车友”字符串的记录
select * from club_content where content not REGEXP '车友'
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
交集
表的字段就是
name no
a 2,9
b 8,10
字符串是str="0,1,2,3,4"
接下来就是查 no字段里跟str里有交集的记录
查询的结果就是name=a的,no=2,9的
select * from table1 where concat(',',no,',') regexp concat(',0,|,1,|,2,|,3,|,4,');

某字段中搜索
可以使用FIND_IN_SET
name no
a 2,9
b 8,10
想查出no中包含2的记录
select * from table1 where FIND_IN_SET('2', no)

替换某字段中的内容
UPDATE `blog_iplimit` SET `ip` = REPLACE(`ip`, ',', '')

原文链接:https://blog.csdn.net/ZZQHELLO2018/java/article/details/92794555

------------- 本文结束 感谢您的阅读-------------