str_replace를 사용하여 첫 번째 경기에서만 작동합니까?
나는 버전 원하는 str_replace()
그 단지의 첫 번째 항목 대체 $search
의를 $subject
. 이에 대한 쉬운 해결책이 있습니까, 아니면 해키 솔루션이 필요합니까?
preg_replace 로 수행 할 수 있습니다 :
function str_replace_first($from, $to, $content)
{
$from = '/'.preg_quote($from, '/').'/';
return preg_replace($from, $to, $content, 1);
}
echo str_replace_first('abc', '123', 'abcdef abcdef abcdef');
// outputs '123def abcdef abcdef'
마술은 선택 사항 인 네 번째 매개 변수 [Limit]에 있습니다. 설명서에서 :
[제한]-각 주제 문자열에서 각 패턴에 대한 가능한 최대 교체입니다. 기본값은 -1입니다 (제한 없음).
그러나 보다 효율적인 방법에 대해서는 zombat의 답변 을 참조하십시오 (대략 3-4 배 빠름).
그것의 버전은 없지만 해결책은 전혀 해킹되지 않습니다.
$pos = strpos($haystack, $needle);
if ($pos !== false) {
$newstring = substr_replace($haystack, $replace, $pos, strlen($needle));
}
매우 쉽고 정규 표현식의 성능 저하를 줄입니다.
보너스 : 마지막 발생 을 바꾸려면 strrpos
대신에 사용하십시오 strpos
.
편집 : 두 답변이 모두 업데이트되었으며 이제 정확합니다. 함수 타이밍이 여전히 유용하기 때문에 답을 남겨 두겠습니다.
'zombat'과 '너무 많은 PHP'의 답변은 불행히도 정확하지 않습니다. 이것은 zombat가 게시 한 답변에 대한 개정입니다 (댓글을 게시 할만 큼 평판이 좋지 않기 때문에).
$pos = strpos($haystack,$needle);
if ($pos !== false) {
$newstring = substr_replace($haystack,$replace,$pos,strlen($needle));
}
strlen ($ replace) 대신 strlen ($ needle)에 유의하십시오. Zombat의 예제는 바늘과 교체 길이가 동일한 경우에만 올바르게 작동합니다.
PHP 자체의 str_replace와 동일한 서명을 가진 함수의 기능은 다음과 같습니다.
function str_replace_first($search, $replace, $subject) {
$pos = strpos($subject, $search);
if ($pos !== false) {
return substr_replace($subject, $replace, $pos, strlen($search));
}
return $subject;
}
이것은 '너무 많은 PHP'의 수정 된 답변입니다.
implode($replace, explode($search, $subject, 2));
끝에 1 대신 2를 기록하십시오. 또는 함수 형식으로 :
function str_replace_first($search, $replace, $subject) {
return implode($replace, explode($search, $subject, 2));
}
두 기능의 시간을 정했으며 일치하는 항목이 없으면 첫 번째 기능이 두 배 빠릅니다. 일치하는 것이 발견 될 때 동일한 속도입니다.
어느 것이 가장 빠른지 궁금해서 모두 테스트했습니다.
아래에서 찾을 수 있습니다 :
- 이 페이지에 기여한 모든 기능의 종합 목록
- 각 구성에 대한 벤치 마크 테스트 (1 만회 이상의 평균 실행 시간)
- 각 답변에 대한 링크 (전체 코드)
모든 기능은 동일한 설정으로 테스트되었습니다.
$string = 'OOO.OOO.OOO.S';
$search = 'OOO';
$replace = 'B';
문자열 내 에서 처음 나타나는 문자열 만 바꾸는 함수 :
substr_replace($string, $replace, 0, strlen($search));
[CONTRIBUTED BY] => zombat [OOO.OOO.OOO.S] => B.OOO.OOO.S [AVERAGE TIME] => 0.0000062883 [SLOWER BY] => FASTEST
replace_first($search, $replace, $string);
[CONTRIBUTED BY] => too much php [OOO.OOO.OOO.S] => B.OOO.OOO.S [AVERAGE TIME] => 0.0000073902 [SLOWER BY] => 17.52%
preg_replace($search, $replace, $string, 1);
[CONTRIBUTED BY] => karim79 [OOO.OOO.OOO.S] => B.OOO.OOO.S [AVERAGE TIME] => 0.0000077519 [SLOWER BY] => 23.27%
str_replace_once($search, $replace, $string);
[CONTRIBUTED BY] => happyhardik [OOO.OOO.OOO.S] => B.OOO.OOO.S [AVERAGE TIME] => 0.0000082286 [SLOWER BY] => 30.86%
str_replace_limit($search, $replace, $string, $count, 1);
[CONTRIBUTED BY] => bfrohs - expanded renocor [OOO.OOO.OOO.S] => B.OOO.OOO.S [AVERAGE TIME] => 0.0000083342 [SLOWER BY] => 32.54%
str_replace_limit($search, $replace, $string, 1);
[CONTRIBUTED BY] => renocor [OOO.OOO.OOO.S] => B.OOO.OOO.S [AVERAGE TIME] => 0.0000093116 [SLOWER BY] => 48.08%
str_replace_limit($string, $search, $replace, 1, 0);
[CONTRIBUTED BY] => jayoaK [OOO.OOO.OOO.S] => B.OOO.OOO.S [AVERAGE TIME] => 0.0000093862 [SLOWER BY] => 49.26%
문자열 내 에서 마지막으로 나타나는 문자열 만 바꾸는 함수 :
substr_replace($string, $replace, strrpos($string, $search), strlen($search));
[CONTRIBUTED BY] => oLinkSoftware - modified zombat [OOO.OOO.OOO.S] => OOO.OOO.B.S [AVERAGE TIME] => 0.0000068083 [SLOWER BY] => FASTEST
strrev(implode(strrev($replace), explode(strrev($search), strrev($string), 2)));
[CONTRIBUTED BY] => oLinkSoftware [OOO.OOO.OOO.S] => OOO.OOO.B.S [AVERAGE TIME] => 0.0000084460 [SLOWER BY] => 24.05%
불행히도, 나는 이것을 할 수있는 PHP 기능을 모른다.
다음과 같이 쉽게 자신의 것을 굴릴 수 있습니다.
function replace_first($find, $replace, $subject) {
// stolen from the comments at PHP.net/str_replace
// Splits $subject into an array of 2 items by $find,
// and then joins the array with $replace
return implode($replace, explode($find, $subject, 2));
}
Regexp가 필요없이 문자열의 문자열 (대소 문자 구분)을 제한으로 바꾸는 이 작은 함수를 만들었습니다 . 잘 작동합니다.
function str_replace_limit($search, $replace, $string, $limit = 1) {
$pos = strpos($string, $search);
if ($pos === false) {
return $string;
}
$searchLen = strlen($search);
for ($i = 0; $i < $limit; $i++) {
$string = substr_replace($string, $replace, $pos, $searchLen);
$pos = strpos($string, $search);
if ($pos === false) {
break;
}
}
return $string;
}
사용법 예 :
$search = 'foo';
$replace = 'bar';
$string = 'foo wizard makes foo brew for evil foo and jack';
$limit = 2;
$replaced = str_replace_limit($search, $replace, $string, $limit);
echo $replaced;
// bar wizard makes bar brew for evil foo and jack
가장 쉬운 방법은 정규식을 사용하는 것입니다.
다른 방법은 strpos ()를 사용하여 문자열의 위치를 찾은 다음 substr_replace ()를 찾는 것입니다
그러나 나는 정말로 RegExp에 갈 것입니다.
function str_replace_once($search, $replace, $subject) {
$pos = strpos($subject, $search);
if ($pos === false) {
return $subject;
}
return substr($subject, 0, $pos) . $replace . substr($subject, $pos + strlen($search));
}
=> 코드가 수정되었으므로 너무 오래된 주석을 고려하십시오.
그리고 모두 감사합니다 나를 돕는는 것을 개선하기 위해
모든 버그, 저에게 알려주십시오. 나는 그것을 바로 고칠 것이다
그래서 가자 :
예를 들어 첫 번째 'o' 를 'ea' 로 바꾸기 :
$s='I love you';
echo str_replace_first('o','ea',$s);
//output: I leave you
함수:
function str_replace_first($a,$b,$s)
{
$w=strpos($s,$a);
if($w===false)return $s;
return substr($s,0,$w).$b.substr($s,$w+strlen($a));
}
$string = 'this is my world, not my world';
$find = 'world';
$replace = 'farm';
$result = preg_replace("/$find/",$replace,$string,1);
echo $result;
@renocor의 답변 을 확장하기 위해 와 100 % 역 호환되는 함수를 작성했습니다 str_replace()
. 즉, 대체 할 수있다 모든 의 발생 str_replace()
과를 str_replace_limit()
에 대해 아무 것도 엉망으로하지 않고 심지어 사용하여 배열을 $search
, $replace
및 / 또는 $subject
.
이 기능은 수 당신이 함수 호출을 대체하고자한다면, 완전히 독립적 일 수 ($string===strval(intval(strval($string))))
있지만, 이후는 반대 권하고 싶습니다 valid_integer()
문자열로 제공 정수를 처리 할 때 상당히 유용한 기능입니다.
참고 : 가능할 때마다 대신 str_replace_limit()
사용 str_replace()
되므로 성능에 대한 염려없이 모든 호출을 str_replace()
대체 할 수 있습니다 str_replace_limit()
.
용법
<?php
$search = 'a';
$replace = 'b';
$subject = 'abcabc';
$limit = -1; // No limit
$new_string = str_replace_limit($search, $replace, $subject, $count, $limit);
echo $count.' replacements -- '.$new_string;
교체 2 개-bbcbbc
$limit = 1; // Limit of 1
$new_string = str_replace_limit($search, $replace, $subject, $count, $limit);
echo $count.' replacements -- '.$new_string;
교체 1 개-bbcabc
$limit = 10; // Limit of 10
$new_string = str_replace_limit($search, $replace, $subject, $count, $limit);
echo $count.' replacements -- '.$new_string;
교체 2 개-bbcbbc
함수
<?php
/**
* Checks if $string is a valid integer. Integers provided as strings (e.g. '2' vs 2)
* are also supported.
* @param mixed $string
* @return bool Returns boolean TRUE if string is a valid integer, or FALSE if it is not
*/
function valid_integer($string){
// 1. Cast as string (in case integer is provided)
// 1. Convert the string to an integer and back to a string
// 2. Check if identical (note: 'identical', NOT just 'equal')
// Note: TRUE, FALSE, and NULL $string values all return FALSE
$string = strval($string);
return ($string===strval(intval($string)));
}
/**
* Replace $limit occurences of the search string with the replacement string
* @param mixed $search The value being searched for, otherwise known as the needle. An
* array may be used to designate multiple needles.
* @param mixed $replace The replacement value that replaces found search values. An
* array may be used to designate multiple replacements.
* @param mixed $subject The string or array being searched and replaced on, otherwise
* known as the haystack. If subject is an array, then the search and replace is
* performed with every entry of subject, and the return value is an array as well.
* @param string $count If passed, this will be set to the number of replacements
* performed.
* @param int $limit The maximum possible replacements for each pattern in each subject
* string. Defaults to -1 (no limit).
* @return string This function returns a string with the replaced values.
*/
function str_replace_limit(
$search,
$replace,
$subject,
&$count,
$limit = -1
){
// Set some defaults
$count = 0;
// Invalid $limit provided. Throw a warning.
if(!valid_integer($limit)){
$backtrace = debug_backtrace();
trigger_error('Invalid $limit `'.$limit.'` provided to '.__function__.'() in '.
'`'.$backtrace[0]['file'].'` on line '.$backtrace[0]['line'].'. Expecting an '.
'integer', E_USER_WARNING);
return $subject;
}
// Invalid $limit provided. Throw a warning.
if($limit<-1){
$backtrace = debug_backtrace();
trigger_error('Invalid $limit `'.$limit.'` provided to '.__function__.'() in '.
'`'.$backtrace[0]['file'].'` on line '.$backtrace[0]['line'].'. Expecting -1 or '.
'a positive integer', E_USER_WARNING);
return $subject;
}
// No replacements necessary. Throw a notice as this was most likely not the intended
// use. And, if it was (e.g. part of a loop, setting $limit dynamically), it can be
// worked around by simply checking to see if $limit===0, and if it does, skip the
// function call (and set $count to 0, if applicable).
if($limit===0){
$backtrace = debug_backtrace();
trigger_error('Invalid $limit `'.$limit.'` provided to '.__function__.'() in '.
'`'.$backtrace[0]['file'].'` on line '.$backtrace[0]['line'].'. Expecting -1 or '.
'a positive integer', E_USER_NOTICE);
return $subject;
}
// Use str_replace() whenever possible (for performance reasons)
if($limit===-1){
return str_replace($search, $replace, $subject, $count);
}
if(is_array($subject)){
// Loop through $subject values and call this function for each one.
foreach($subject as $key => $this_subject){
// Skip values that are arrays (to match str_replace()).
if(!is_array($this_subject)){
// Call this function again for
$this_function = __FUNCTION__;
$subject[$key] = $this_function(
$search,
$replace,
$this_subject,
$this_count,
$limit
);
// Adjust $count
$count += $this_count;
// Adjust $limit, if not -1
if($limit!=-1){
$limit -= $this_count;
}
// Reached $limit, return $subject
if($limit===0){
return $subject;
}
}
}
return $subject;
} elseif(is_array($search)){
// Only treat $replace as an array if $search is also an array (to match str_replace())
// Clear keys of $search (to match str_replace()).
$search = array_values($search);
// Clear keys of $replace, if applicable (to match str_replace()).
if(is_array($replace)){
$replace = array_values($replace);
}
// Loop through $search array.
foreach($search as $key => $this_search){
// Don't support multi-dimensional arrays (to match str_replace()).
$this_search = strval($this_search);
// If $replace is an array, use the value of $replace[$key] as the replacement. If
// $replace[$key] doesn't exist, just an empty string (to match str_replace()).
if(is_array($replace)){
if(array_key_exists($key, $replace)){
$this_replace = strval($replace[$key]);
} else {
$this_replace = '';
}
} else {
$this_replace = strval($replace);
}
// Call this function again for
$this_function = __FUNCTION__;
$subject = $this_function(
$this_search,
$this_replace,
$subject,
$this_count,
$limit
);
// Adjust $count
$count += $this_count;
// Adjust $limit, if not -1
if($limit!=-1){
$limit -= $this_count;
}
// Reached $limit, return $subject
if($limit===0){
return $subject;
}
}
return $subject;
} else {
$search = strval($search);
$replace = strval($replace);
// Get position of first $search
$pos = strpos($subject, $search);
// Return $subject if $search cannot be found
if($pos===false){
return $subject;
}
// Get length of $search, to make proper replacement later on
$search_len = strlen($search);
// Loop until $search can no longer be found, or $limit is reached
for($i=0;(($i<$limit)||($limit===-1));$i++){
// Replace
$subject = substr_replace($subject, $replace, $pos, $search_len);
// Increase $count
$count++;
// Get location of next $search
$pos = strpos($subject, $search);
// Break out of loop if $needle
if($pos===false){
break;
}
}
// Return new $subject
return $subject;
}
}
내 테스트 결과에 따르면 karim79에서 제공하는 regular_express에 투표하고 싶습니다. (지금 투표 할만한 평판이 충분하지 않습니다!)
zombat의 솔루션은 너무 많은 함수 호출을 사용하며 심지어 코드를 단순화합니다. PHP 5.4를 사용하여 두 가지 솔루션을 100,000 번 실행했으며 결과는 다음과 같습니다.
$str = 'Hello abc, have a nice day abc! abc!';
$pos = strpos($str, 'abc');
$str = substr_replace($str, '123', $pos, 3);
==> 1.85 초
$str = 'Hello abc, have a nice day abc! abc!';
$str = preg_replace('/abc/', '123', $str, 1);
==> 1.35 초
보시다시피 preg_replace의 성능은 많은 사람들이 생각하는 것만 큼 나쁘지 않습니다. 따라서 정규 표현이 복잡하지 않으면 고급 솔루션을 제안합니다.
zombat의 답변 (최고의 답변이라고 생각)을 확장 $limit
하기 위해 교체 할 발생 수를 지정하는 매개 변수를 사용하는 재귀 버전의 함수를 만들었습니다 .
function str_replace_limit($haystack, $needle, $replace, $limit, $start_pos = 0) {
if ($limit <= 0) {
return $haystack;
} else {
$pos = strpos($haystack,$needle,$start_pos);
if ($pos !== false) {
$newstring = substr_replace($haystack, $replace, $pos, strlen($needle));
return str_replace_limit($newstring, $needle, $replace, $limit-1, $pos+strlen($replace));
} else {
return $haystack;
}
}
}
끈
$string = 'OOO.OOO.OOO.S';
$search = 'OOO';
$replace = 'B';
//replace ONLY FIRST occurance of "OOO" with "B"
$string = substr_replace($string,$replace,0,strlen($search));
//$string => B.OOO.OOO.S
//replace ONLY LAST occurance of "OOOO" with "B"
$string = substr_replace($string,$replace,strrpos($string,$search),strlen($search))
//$string => OOO.OOO.B.S
//replace ONLY LAST occurance of "OOOO" with "B"
$string = strrev(implode(strrev($replace),explode(strrev($search),strrev($string),2)))
//$string => OOO.OOO.B.S
단일 문자
$string[strpos($string,$search)] = $replace;
//EXAMPLE
$string = 'O.O.O.O.S';
$search = 'O';
$replace = 'B';
//replace ONLY FIRST occurance of "O" with "B"
$string[strpos($string,$search)] = $replace;
//$string => B.O.O.O.S
//replace ONLY LAST occurance of "O" with "B"
$string[strrpos($string,$search)] = $replace;
// $string => B.O.O.B.S
사람들이 말한 것을 보완하면 전체 문자열이 배열임을 기억하십시오.
$string = "Lorem ipsum lá lá lá";
$string[0] = "B";
echo $string;
"보렘 ipsum lá lá lá"
이 기능은 @renocor의 답변에서 많은 영향을 받았습니다. 그것은 기능을 멀티 바이트 안전하게 만듭니다.
function str_replace_limit($search, $replace, $string, $limit)
{
$i = 0;
$searchLength = mb_strlen($search);
while(($pos = mb_strpos($string, $search)) !== false && $i < $limit)
{
$string = mb_substr_replace($string, $replace, $pos, $searchLength);
$i += 1;
}
return $string;
}
function mb_substr_replace($string, $replacement, $start, $length = null, $encoding = null)
{
$string = (array)$string;
$encoding = is_null($encoding) ? mb_internal_encoding() : $encoding;
$length = is_null($length) ? mb_strlen($string) - $start : $length;
$string = array_map(function($str) use ($replacement, $start, $length, $encoding){
$begin = mb_substr($str, 0, $start, $encoding);
$end = mb_substr($str, ($start + $length), mb_strlen($str), $encoding);
return $begin . $replacement . $end;
}, $string);
return ( count($string) === 1 ) ? $string[0] : $string;
}
이것을 사용할 수 있습니다 :
function str_replace_once($str_pattern, $str_replacement, $string){
if (strpos($string, $str_pattern) !== false){
$occurrence = strpos($string, $str_pattern);
return substr_replace($string, $str_replacement, strpos($string, $str_pattern), strlen($str_pattern));
}
return $string;
}
php.net 에서이 예제를 찾았습니다.
용법:
$string = "Thiz iz an examplz";
var_dump(str_replace_once('z','Z', $string));
산출:
ThiZ iz an examplz
이렇게하면 성능이 약간 저하 될 수 있지만 가장 쉬운 솔루션입니다.
문자열에 멀티 바이트 문자가 포함되어 있지 않고 하나의 문자 만 바꾸려면 간단히 사용할 수 있습니다 strpos
여기에 오류를 처리하는 함수
/**
* Replace the first occurence of given string
*
* @param string $search a char to search in `$subject`
* @param string $replace a char to replace in `$subject`
* @param string $subject
* @return string
*
* @throws InvalidArgumentException if `$search` or `$replace` are invalid or if `$subject` is a multibytes string
*/
function str_replace_first(string $search , string $replace , string $subject) : string {
// check params
if(strlen($replace) != 1 || strlen($search) != 1) {
throw new InvalidArgumentException('$search & $replace must be char');
}elseif(mb_strlen($subject) != strlen($subject)){
throw new InvalidArgumentException('$subject is an multibytes string');
}
// search
$pos = strpos($subject, $search);
if($pos === false) {
// not found
return $subject;
}
// replace
$subject[$replace] = $subject;
return $subject;
}
여기 약간 수정 된 str_replace () 함수 를 감싸기 위해 만든 간단한 클래스가 있습니다.
우리의 php :: str_rreplace () 함수를 사용하면 문자열의 최종 X 인스턴스 만 바꾸려고 할 때 매우 유용한 리버스의 제한된 str_replace ()를 수행 할 수 있습니다.
이 예제는 모두 preg_replace ()를 사용 합니다 .
<?php
class php {
/**
* str_replace() from the end of a string that can also be limited e.g. replace only the last instance of '</div>' with ''
*
* @param string $find
* @param string $replace
* @param string $subject
* @param int $replacement_limit | -1 to replace all references
*
* @return string
*/
public static function str_replace($find, $replace, $subject, $replacement_limit = -1) {
$find_pattern = str_replace('/', '\/', $find);
return preg_replace('/' . $find_pattern . '/', $replace, $subject, $replacement_limit);
}
/**
* str_replace() from the end of a string that can also be limited e.g. replace only the last instance of '</div>' with ''
*
* @param string $find
* @param string $replace
* @param string $subject
* @param int $replacement_limit | -1 to replace all references
*
* @return string
*/
public static function str_rreplace($find, $replace, $subject, $replacement_limit = -1) {
return strrev( self::str_replace(strrev($find), strrev($replace), strrev($subject), $replacement_limit) );
}
}
$str = "Hello there folks!"
$str_ex = explode("there, $str, 2); //explodes $string just twice
//outputs: array ("Hello ", " folks")
$str_final = implode("", $str_ex); // glues above array together
// outputs: str("Hello folks")
추가 공간이 하나 더 있지만 내 경우에는 backgound 스크립트와 마찬가지로 중요하지 않았습니다.
이것이 나의 첫 번째 대답입니다, 나는 그것을 올바르게하기를 바랍니다. 이 문제에 대해 str_replace 함수의 네 번째 인수를 사용하지 않는 이유는 무엇입니까?
mixed str_replace ( mixed $search , mixed $replace , mixed $subject [, int &$count ] )
count : 통과 한 경우 수행 된 교체 횟수로 설정됩니다.
편집 : str_replace 의 네 번째 매개 변수는 대체 횟수를 지정하는 변수 이므로이 답변은 잘못 되었습니다. 이것은 preg_replace 와 일치하지 않습니다. 이것은 4 번째 매개 변수 $limit
와 5 번째 매개 변수가 &$count
있습니다.
(카운트 값을 제공하여) 첫 번째 또는 첫 번째 인스턴스 만 교체 할 솔루션을 쉽게 찾을 수 있습니다. 마지막 또는 마지막 몇 인스턴스를 대체 할 솔루션이 많지 않습니다.
str_replace ($ find, $ replace, $ subject, -3)와 같은 것이 마지막 세 인스턴스를 대체해야 할 수도 있습니다.
어쨌든, 단지 제안.
'Programing' 카테고리의 다른 글
“continue”키워드 란 무엇이며 Java에서 어떻게 작동합니까? (0) | 2020.03.17 |
---|---|
신속한 이메일 주소 확인 방법? (0) | 2020.03.17 |
Android : listView 클릭시 강조 표시 비활성화 (0) | 2020.03.17 |
JavaScript에서 창 크기 조정 이벤트를 트리거하는 방법은 무엇입니까? (0) | 2020.03.17 |
옵션이있는 명령 줄에서 .sql 파일을 내보내고 가져 오는 방법은 무엇입니까? (0) | 2020.03.17 |