str replace — PHP: Как выделить выделенные слова в результатах и ​​сохранить слова в оригинальном текстовом регистре?

Я показываю результаты поиска на сайте, где пользователи могут искать конкретные ключевые слова, слова.

На странице результатов я пытаюсь выделить искомые слова, в результате.
Таким образом, пользователь может понять, какие слова и где совпадают.

например

if user searches for : mango

the resulting item original : This Post contains Mango.

the resulting output I want of highlighted item : This Post contains <strong>Mango</strong>

Я использую это так.

<?php

//highlight all words
function highlight_words( $title, $searched_words_array) {
// loop through searched_words_array
foreach( $searched_words_array as $searched_word ) {
$title = highlight_word( $title, $searched_word); // highlight word
}

return $title; // return highlighted data
}

//highlight single word with color
function highlight_word( $title, $searched_word) {
$replace = '<strong>' . $searched_word . '</strong>'; // create replacement
$title = str_ireplace( $searched_word, $replace, $title ); // replace content
return $title; // return highlighted data
}

Я получаю искомые слова из поисковой системы Sphinx, проблема заключается в том, что Sphinx возвращает введенные / записанные слова в нижнем регистре.

Таким образом, используя приведенный выше код, мой

results becomes : This Post contains <strong>mango</strong>

* обратите внимание, что м из манго получил строчные буквы.

Итак, мой вопрос, как я могу выделить слово, т.е. <strong> & </strong> вокруг слов, соответствующих искомым словам?
не теряя свой текстовый регистр?

* Госзакупки. это не те же вопросы, что и как выделить результаты поиска , Я спрашиваю, что мой массив ключевых слов в нижнем регистре, и с помощью вышеописанного метода оригинальное слово заменяется на строчное слово.
так как я могу это остановить?
другая ссылка на вопрос также столкнется с этим, потому что искомые ключевые слова находятся в нижнем регистре. и используя str_ireplace это будет соответствовать и заменить его на строчное слово.


Обновить :

Я объединил различные фрагменты кода, чтобы получить то, что ожидал сделать код.,
сейчас это работает отлично.

function strong_words( $title, $searched_words_array) {
//for all words in array
foreach ($searched_words_array as $word){

$lastPos = 0;
$positions = array();
//find all positions of word
while (($lastPos = stripos($title, $word, $lastPos))!== false) {
$positions[] = $lastPos;
$lastPos = $lastPos + strlen($word);
}
//reverse sort numeric array
rsort($positions);

// highlight all occurances
foreach ($positions as $pos) {
$title = strong_word($title , $word, $pos);
}
}

//apply strong html code to occurances
$title = str_replace('#####','</strong>',$title);
$title = str_replace('*****','<strong>',$title);
return $title; // return highlighted data
}


function strong_word($title , $word, $pos){
//ugly hack to not use <strong> , </strong> here directly, as it can get replaced if searched word contains charcters from strong
$title = substr_replace($title, '#####', $pos+strlen($word) , 0) ;
$title = substr_replace($title, '*****', $pos , 0) ;
return $title;
}

$title = 'This is Great Mango00lk mango';
$words = array('man','a' , 'go','is','g', 'strong') ;

echo strong_words($title,$words);

0

Решение

Решение Regex:

function highlight_word( $title, $searched_word) {
return preg_replace('#('.$searched_word.')#i','<strong>\1<strong>',$title) ;
}

Просто будьте осторожны со специальными символами, которые могут интерпретироваться как метасимволы в $ search_word

1

Другие решения

Вот фрагмент кода, который я написал некоторое время назад, который работает, чтобы делать именно то, что вы хотите:

if(stripos($result->question, $word) !== FALSE){
$word_to_highlight = substr($result->question, stripos($result->question, $word), strlen($word));
$result->question = str_replace($word_to_highlight, '<span class="search-term">'.$word_to_highlight.'</span>', $result->question);
}
1

//will find all occurances of all words and make them strong in html
function strong_words( $title, $searched_words_array) {
//for all words in array
foreach ($searched_words_array as $word){

$lastPos = 0;
$positions = array();
//find all positions of word
while (($lastPos = stripos($title, $word, $lastPos))!== false) {
$positions[] = $lastPos;
$lastPos = $lastPos + strlen($word);
}
//reverse sort numeric array
rsort($positions);

// highlight all occurances
foreach ($positions as $pos) {
$title = strong_word($title , $word, $pos);
}
}

//apply strong html code to occurances
$title = str_replace('#####','</strong>',$title);
$title = str_replace('*****','<strong>',$title);
return $title; // return highlighted data
}


function strong_word($title , $word, $pos){
//ugly hack to not use <strong> , </strong> here directly, as it can get replaced if searched word contains charcters from strong
$title = substr_replace($title, '#####', $pos+strlen($word) , 0) ;
$title = substr_replace($title, '*****', $pos , 0) ;
return $title;
}


$title = 'This is Great Mango00lk mango';
$word = array('man','a' , 'go','is','g', 'strong') ;

echo strong_words($title,$word);

Этот код найдет все вхождения всех слов и сделает их сильными в html, сохраняя при этом исходный текст.

0

function highlight_word( $content, $word, $color ) {
$replace = '<span style="background-color: ' . $color . ';">' . $word . '</span>'; // create replacement
$content = str_replace( $word, $replace, $content ); // replace content

return $content; // return highlighted data
}

function highlight_words( $content, $words, $colors ) {
$color_index = 0; // index of color (assuming it's an array)

// loop through words
foreach( $words as $word ) {
$content = highlight_word( $content, $word, $colors[$color_index] ); // highlight word
$color_index = ( $color_index + 1 ) % count( $colors ); // get next color index
}

return $content; // return highlighted data
}



// words to find
$words = array(
'normal',
'text'
);

// colors to use
$colors = array(
'#88ccff',
'#cc88ff'
);

// faking your results_text
$results_text = array(
array(
'ab'    => 'AB #1',
'cd'    => 'Some normal text with normal words isn\'t abnormal at all'
), array(
'ab'    => 'AB #2',
'cd'    => 'This is another text containing very normal content'
)
);

// loop through results (assuming $output1 is true)
foreach( $results_text as $result ) {
$result['cd'] = highlight_words( $result['cd'], $words, $colors );

echo '<fieldset><p>ab: ' . $result['ab'] . '<br />cd: ' . $result['cd'] . '</p></fieldset>';
}
-1
По вопросам рекламы [email protected]