想知道是否有人可以帮助我推动正确的方向,我正在构建一个搜索功能(php和mysql),它将显示搜索结果并突出显示用户搜索过的关键字。目前,我抓住了用户输入的搜索条件,并针对数据库进行查询,该数据库可以正常工作以获得所需的结果。我遇到的问题是
$highlight = preg_replace("/".$_GET['criteria']."/", "<span class='highlight'>".$_GET['criteria']."</span>", $_row['name']);
这只会突出显示一个词组而非个别关键词。例如,如果文档被调用&#34; Hello world&#34;如果用户键入&#34; world hello&#34;并且用户输入了这个就会突出显示没有问题。它不会突出任何东西。我认为采用搜索条件并使用explode并单独检查每个单词是个好主意,但这似乎也失败了。这是我的查询以及我如何显示结果
$sql = "SELECT *
FROM uploaded_documents
WHERE dept_cat = 'procedures'
AND cat =:cat
AND keywords REGEXP :term ";
$result->execute(array(':cat' => $_GET['category'],':term' => $_GET['criteria']));
//display results
while($row = $stmt->fetch()){
$explode_criteria = explode(" ",$_GET['criteria']);
foreach($explode_criteria as $key){
$highlight = preg_replace("/".$key."/", "<span class='highlight'>".$key."</span>", $row['name']);
echo '<td><a target="_blank" href="'.$row['url'].'">'.$highlight.'</a></td>';
echo '<td>'.$row['version'].'</td>';
echo '<td>'.$row['cat'].'</td>';
echo '<td>'.$row['author'].'</td>';
echo '<td>'.$row['added'].'</td>';
echo '<td>'.$row['auth_dept'].'</td>';
echo '<td>';
}
}
为了篇幅,我在这里省略了代码并尽量保持最小化,我一直在努力将我的工作建立在以下帖子上
highlighting search results in php/mysql
我认为我的第一个问题是while循环中的foreach循环重复结果,但是我无法想出解决方法。
提前致谢
答案 0 :(得分:2)
在这段代码中:
//display results
while ($row = $stmt->fetch())
{
$explode_criteria = explode(" ", $_GET['criteria']);
foreach ($explode_criteria as $key)
{
$highlight = preg_replace("/" . $key . "/", "<span class='highlight'>" . $key . "</span>", $row['name']);
echo '<td><a target="_blank" href="' . $row['url'] . '">' . $highlight . '</a></td>';
echo '<td>' . $row['version'] . '</td>';
echo '<td>' . $row['cat'] . '</td>';
echo '<td>' . $row['author'] . '</td>';
echo '<td>' . $row['added'] . '</td>';
echo '<td>' . $row['auth_dept'] . '</td>';
echo '<td>';
}
}
循环经常引用$row['name']
,因此替换已完成,但下次循环发生时,它将替换原始未修改$row['name']
上的下一个单词
我认为这应该可以帮到你:
//display results
while ($row = $stmt->fetch())
{
$explode_criteria = explode(" ", $_GET['criteria']);
$highlight = $row['name']; // capture $row['name'] here
foreach ($explode_criteria as $key)
{
// escape the user input
$key2 = preg_quote($key, '/');
// keep affecting $highlight
$highlight = preg_replace("/" . $key2 . "/", "<span class='highlight'>" . $key . "</span>", $highlight);
echo '<td><a target="_blank" href="' . $row['url'] . '">' . $highlight . '</a></td>';
echo '<td>' . $row['version'] . '</td>';
echo '<td>' . $row['cat'] . '</td>';
echo '<td>' . $row['author'] . '</td>';
echo '<td>' . $row['added'] . '</td>';
echo '<td>' . $row['auth_dept'] . '</td>';
echo '<td>';
}
}