很多人都提出了如何在MySQL全文搜索结果中突出显示搜索词的问题,但我找到的解决方案似乎不够。 MySQL全文搜索支持引用的多字搜索目标,并忽略任何标点符号。因此,在我的搜索表单上,用户可以输入引用的术语" quick brown"并且MySQL还将返回包含" quick,brown"的行。 (例如),但不是"快速和棕色"。因此,当在返回的文本中突出显示搜索目标时,您似乎需要执行一些正则表达式以确保识别目标的所有实例。到目前为止我所拥有的是这样的,其中$ targ包含一个可能是多字的搜索词,例如" quick brown" (但没有引号),$ blob是我们正在搜索的大量文本。它的工作原理是用匹配任何非字母数字字符串的正则表达式替换搜索目标中的任何空格。
$pattern = '/' . str_replace(" ", '[^A-Za-z0-9\"]', $targ) . '/i';
$replacement = '<span class="hilite">' . $targ . '</span>';
$blob = preg_replace($pattern, $replacement, $blob);
这主要是有效的,但有一个不幸的副作用。它实际上删除了完整字符串中的额外标点符号。所以如果$ blob包含字符串&#34; quick,brown&#34;这变成了
<span class="hilite">quick brown</span>
因此它成功地在术语周围添加了span标记,但在此过程中,它删除了逗号。
我认为解决方案可能涉及将preg_replace与通配符一起使用,但一个难点是$ targ可能包含不同数量的单词。
有什么建议吗?谢谢!
答案 0 :(得分:0)
您可以使用捕获组轻松完成此操作。此外,当接受用户对模式的输入时,最好在使用之前将其转义。
<?php
$source = 'quick, brown" (for example), but not "quick and brown". So whe';
$test = "QUICK BROWN";
$temp = explode(" ", $test);
// use preg_quote to escape the literal strings
$temp = array_map(function ($val) { return preg_quote($val, "~");}, $temp);
// stitch the literals together with the variable pattern
$pattern = '~('.implode("[^A-Za-z0-9]+", $temp).')~i';
// here the $1 means the result of the first capture group...
// capture group is denoted in the pattern as the text in ().
echo preg_replace( $pattern , '<span class="hilite">$1</span>', $source );
你可以看到这个正在运行here。