我有一张桌子(书籍(
id, title
我用REGEXP匹配进行了选择
select title
from books
where title REGEXP "word1|word2|...|wordn"
我如何才能在标题中找到多少单词来获得这样的查询?
select title, numberofwordsfound
from books
where title REGEXP "word1|word2|...|wordn"
提前感谢大家:(
一个选项使用派生表列出单词,然后聚合:
select b.id, b.title, count(*) no_matches
from books b
inner join (
select 'word1' word
union all select 'word2'
union all select 'word3'
) w on b.title like concat('%', w.word, '%')
group by b.id, b.title
order by no_matches desc
在MySQL的最新版本中,您可以使用VALUES()
行构造函数来枚举单词,这缩短了查询:
select b.id, b.title, count(*) no_matches
from books b
inner join (values(row('word1'), row('word2'), row('word3')) b(word)
on b.title like concat('%', w.word, '%')
group by b.id, b.title
order by no_matches desc
这假设";单词";就是这些话。如果它们包含正则表达式模式,则需要使用正则表达式匹配,而不是like
:
on b.title regexp w.word
您可以使用regexp_replace()
和捕获组的技巧:
select title,
length(regexp_replace(title, '(word1|word2|...|wordn)', '$1x')) - length(title) as num_matches
from books
where title REGEXP 'word1|word2|...|wordn';
这里有一个db<gt;不停摆弄