Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
417 views
in Technique[技术] by (71.8m points)

preg replace - having issue with preg_replace and similar words in php

i want to search my string and replace some words by link to some page. but i have problem with similar words like "Help" and "Help Me". i want to link "Help Me" not "Help". this is my code:

$text="Please Help Me Fix This Issue!";
$AllTags=[];
$AllTags[]='Help';
$AllTags[]='Help Me';
    $tmp = array();
    foreach($AllTags as $term){
        $tmp[] = "/($term)/i";
    } 
echo preg_replace($tmp, '<a href="$0">$0</a>', $text);
See Question&Answers more detail:os

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

Here is the dynamic approach: sort the array by value length in a descending order, then implode with | into an alternation based pattern so that the longer parts will be matched first (remember that the first branch from the left that matches makes the regex stop analyzing the alternatives, see Remember That The Regex Engine Is Eager).

Use

$text="Please Help Me Fix This Issue!";
$AllTags=[];
$AllTags[]='Help';
$AllTags[]='Help Me';
usort($AllTags, function($a, $b) {
    return strlen($b) - strlen($a);
});
echo preg_replace('~' . implode('|', $AllTags) . '~', '<a href="$0">$0</a>', $text);

See the PHP demo.

The regex will look like ~Help Me|Help~. You might want to add word boundaries () (see demo) or lookarounds like (?<!S) and (?!S) (see demo) to only match whole words later.


与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Click Here to Ask a Question

...