We all know that in PHP, functions such as Strtr and strreplace can be used for replacement, but they are all replaced every time. For example:
"abcabbc", if you use the function above to replace the b in this string, then it will replace all of them, but what if you want to replace only one or two? See the solution below:
This is a rather interesting question. I happened to have done similar processing before. At that time, I directly used preg_replace to implement it.
mixed preg_replace ( mixed pattern, mixed replacement, mixed subject [, int limit] )
Searches the subject for a match of pattern and replaces it with replacement. If limit is specified, only limit matches are replaced; if limit is omitted or has a value of -1, all matches are replaced.
Because the fourth parameter of preg_replace can limit the number of replacements, it is very convenient to deal with this problem in this way. But after looking at the function comments about str_replace on php.net, we can actually pick out a few representative functions.
Method 1: str_replace_once
The ideaFirst find the location of the keyword to be replaced, and then use the substr_replace function to directly replace it.
<?php function str_replace_once($needle, $replace, $haystack) { // Looks for the first occurence of $needle in $haystack // and replaces it with $replace. $pos = strpos($haystack, $needle); if ($pos === false) { // Nothing found return $haystack; } return substr_replace($haystack, $replace, $pos, strlen($needle)); } ?>
Method 2, str_replace_limit
The ideaStill uses preg_replace, but its parameters are more like preg_replace, and some special characters are escaped, making it more versatile.
<? function str_replace_limit($search, $replace, $subject, $limit=-1) { // constructing mask(s)... if (is_array($search)) { foreach ($search as $k=>$v) { $search[$k] = '`' . preg_quote($search[$k],'`') . '`'; } } else { $search = '`' . preg_quote($search,'`') . '`'; } // replacement return preg_replace($search, $replace, $subject, $limit); } ?>
You can combine it with an article compiled by the editor "Implementation function of php keywords only replaced once" to study together. I believe you will have unexpected gains.