|
 |
str_replace (PHP 3 >= 3.0.6, PHP 4, PHP 5) str_replace --
Заменяет строку поиска на строку замены
Описаниеmixed str_replace ( mixed search, mixed replace, mixed subject [, int &count] )
Эта функция возвращает строку или массив
subject, в котором все вхождения
search заменены
на replace. Если не нужны сложные правила
поиска/замены, использование этой функции предпочтительнее
ereg_replace()
или preg_replace().
С версии PHP 4.0.5, любой аргумент str_replace()
может быть массивом.
Внимание |
В версиях младше 4.3.3 эта функция содержит ошибку при одновременной
передаче массивов в аргументах search и
replace. Ошибка заключается в том, что
пустые элементы массива search пропускались
без перемещения к следующему элементу массива
replace. Эта ошибка была исправлена
в PHP 4.3.3. Если ваши скрипты использовали эту
ошибку, то в них нужно удалить пустые элементы из массива
search перед вызовом этой функции.
|
Если subject - массив, поиск и замена
производится в каждом элементе этого массива, и возвращается также
массив.
Если и search, и
replace - массивы, то
str_replace() использует все значения массива
search и соответствующие значения массива
replace для поиска и замены в
subject. Если в массиве
replace меньше элементов, чем в
search, в качестве строки замены для
оставшихся значений будет использована пустая строка.
Если search - массив, а
replace - строка, то
replace будет использована как строка замены
для каждого элемента массива search.
Пример 1. Примеры использования str_replace()
<?php
$bodytag = str_replace("%body%", "black", "<body text='%body%'>");
$vowels = array("a", "e", "i", "o", "u", "A", "E", "I", "O", "U");
$onlyconsonants = str_replace($vowels, "", "Hello World of PHP");
$phrase = "You should eat fruits, vegetables, and fiber every day.";
$healthy = array("fruits", "vegetables", "fiber");
$yummy = array("pizza", "beer", "ice cream");
$newphrase = str_replace($healthy, $yummy, $phrase);
$str = str_replace("ll", "", "good golly miss molly!", $count);
echo $count; ?>
|
|
Замечание: Эта функция безопасна
для обработки данных в двоичной форме.
Замечание:
Начиная с PHP 5.0.0 количество произведенных
замен может быть получено в необязательном аргументе
count, который передается по ссылке.
В версиях до PHP 5.0.0 этот аргумент недоступен.
См. также описание функций
str_ireplace(),
substr_replace(),
ereg_replace(),
preg_replace() и
strtr().
str_replace
TLG
08-Jul-2006 12:53
About xinobit's function -> what if $search, $replace or/and $subject are arrays?.. ;)
I supplemented the code to support that possibility but the result was a bit heavy... and slow!
preg_replace() is about 5 times faster! :) (more or less depending on the length of $subject)
So, a little example of function:
<?php
function str_replace_limit($search, $replace, $subject, $limit=-1) {
if (is_array($search)) {
foreach ($search as $k=>$v) {
$search[$k] = '`' . preg_quote($search[$k],'`') . '`';
}
}
else {
$search = '`' . preg_quote($search,'`') . '`';
}
return preg_replace($search, $replace, $subject, $limit);
}
?>
(of course you could insert a "&$count" argument for PHP >= 5.1.0)
admc AT admc DOT hu
05-Jul-2006 10:12
Inspired by the first official example here, that gives "<body text='black'>", I wrote a little function that replaces strings using a "dictionary":
function sablongep($sablon, $helyettesites) {
foreach ($helyettesites as $nev => $adat)
$sablon=str_replace("%$nev%", $adat, $sablon);
return $sablon;
}
Example:
sablongep("We have a lot of fruits: %fruits%, and some vegetables: %vegetables%.",
array( "fruits" => "apple, banana, cherry",
"vegetables" => "carrot, cabbage"));
I admit that this example is not as funny as the others in the manual...
xinobit at gmail dot com
08-Jun-2006 08:59
Here's a function that will replace many times as the last argument ask.
<?
function str_replace_count($search,$replace,$subject,$times) {
$subject_original=$subject;
$len=strlen($search);
$pos=0;
for ($i=1;$i<=$times;$i++) {
$pos=strpos($subject,$search,$pos);
if($pos!==false) {
$subject=substr($subject_original,0,$pos);
$subject.=$replace;
$subject.=substr($subject_original,$pos+$len);
$subject_original=$subject;
} else {
break;
}
}
return($subject);
}
$w="abracadabra";
print str_replace_count("abra","----",$w,2);
?>
02-Apr-2006 07:57
Here's a function I put together from pieces other folks wrote. First, it replaces all MS Word smart quotes, EM dashes and EN dashes with their ASCII equivalents, then it goes through and deletes any non-ASCII characters (such as the 1/4 character). The function was written with backwards-compatibility in mind, not performance. It worked successfully in PHP Version 4.2.3, but not in Version 4.2.2. Hopefully it'll help out someone:
function all_ascii( $stringIn ){
$final = '';
$search = array(chr(145),chr(146),chr(147),chr(148),chr(150),chr(151));
$replace = array("'","'",'"','"','-','-');
$hold = str_replace($search[0],$replace[0],$stringIn);
$hold = str_replace($search[1],$replace[1],$hold);
$hold = str_replace($search[2],$replace[2],$hold);
$hold = str_replace($search[3],$replace[3],$hold);
$hold = str_replace($search[4],$replace[4],$hold);
$hold = str_replace($search[5],$replace[5],$hold);
if(!function_exists('str_split')){
function str_split($string,$split_length=1){
$count = strlen($string);
if($split_length < 1){
return false;
} elseif($split_length > $count){
return array($string);
} else {
$num = (int)ceil($count/$split_length);
$ret = array();
for($i=0;$i<$num;$i++){
$ret[] = substr($string,$i*$split_length,$split_length);
}
return $ret;
}
}
}
$holdarr = str_split($hold);
foreach ($holdarr as $val) {
if (ord($val) < 128) $final .= $val;
}
return $final;
}
Example usage: echo all_ascii( $myString );
matt wheaton
30-Mar-2006 07:40
As an effort to remove those Word copy and paste smart quotes, I've found that this works with UTF8 encoded strings (where $text in the following example is UTF8). Also the elipsis and em and en dashes are replaced.
There is an "invisible" character after the †for the right side double smart quote that doesn't seem to display here. It is chr(157).
<?php
$find[] = '“'; $find[] = 'â€'; $find[] = '‘'; $find[] = '’'; $find[] = '…'; $find[] = '—'; $find[] = '–'; $replace[] = '"';
$replace[] = '"';
$replace[] = "'";
$replace[] = "'";
$replace[] = "...";
$replace[] = "-";
$replace[] = "-";
$text = str_replace($find, $replace, $text);
?>
vlatko dot surlan at RMVME gmail dot com
30-Jan-2006 09:57
Suggested code has some drawbacks in the context of many replacement pairs (i am not suggesting that mine has none). The example code you provided:
<?php
return str_replace(
array('Ć', 'ć', 'Ĉ', [...]),
array('Ć', 'ć', 'Ĉ', [...]),
strtoupper($string)
) ;
?>
relies on the fact that visual identation is provided by all replacement elements beeing of the same width, which is hardly ever true in the real world (please correct me if I'm wrong). Another nasty feature is that this code extends to the right with addition of new elements while the solution provided in the earlier post extends in the driection of the natural flow of code, thus, retaining correct code width for all cases. Perhaps you have ommited the fact that I specifically intended suggested code format for cases with many replacement pairs indicated with /* many lines here */ in the previous post?
admin at sellchain dot com
31-Oct-2005 03:55
<?
$original="This contains curseword, curse_word1, cursewor_d2, cursewo_rd3, and a bunch of other text...";
echo "Before: $original<br><br>";
$original=RemoveCurseWords($original);
echo "After: $original<br><br>";
function RemoveCurseWords($original) {
$patterns[0] = 'curseword';
$patterns[1] = 'curse_word1';
$patterns[2] = 'cursewor_d2';
$patterns[3] = 'cursewo_rd3';
$finalremove=$original;
$piece_front="";
$piece_back="";
$piece_replace="***";
for ($x=0; $x < count($patterns); $x++) {
$safety=0;
while(strstr(strtolower($finalremove),strtolower($patterns[$x]))) {
$safety=$safety+1;
if ($safety >= 100000) { break; }
$occ=strpos(strtolower($finalremove),strtolower($patterns[$x]));
$piece_front=substr($finalremove,0,$occ);
$piece_back=substr($finalremove,($occ+strlen($patterns[$x])));
$finalremove=$piece_front . $piece_replace . $piece_back;
} } return $finalremove;
}
tjomi4 at yeap dot lv
18-Oct-2005 07:46
<?php
function utf8_str_replace($s,$r,$str){
if(!is_array($s)){
$s = '!'.preg_quote($s,'!').'!u';
}else{
foreach ($s as $k => $v) {
$s[$k] = '!'.preg_quote($v).'!u';
}
}
return preg_replace($s,$r,$str);
}
?>
spectrereturns at creaturestoke dot com
22-May-2005 02:53
This is a little function I wrote replaces substrings in a string with different values. If there are more instances of $search in $string then there are elements in $replace, it will start over.
<?php
function replace_different($search,$replace,$string) {
$occs = substr_count($string,$search);
$last = 0;
$cur = 0;
$data = '';
for ($i=0;$i<$occs;$i++) {
$find = strpos($string,$search,$last);
$data .= substr($string,$last,$find-$last).$replace[$cur];
$last = $find+strlen($search);
if (++$cur == count($replace)) {
$cur = 0;
}
}
return $data.substr($string,$last);
}
?>
Example:
<?php
$string = '`atext`,`btext`';
echo replace_different('`',array('0~`','1~`'),$string);
?>
Will return:
0~`atext1~`,0~`btext1~`
will at 4lx dot net
12-Apr-2005 06:06
This function is an example of replacing month numbers with the actual textual value.
<?php
function createMonths($month_start,$month_end) {
$month = array("1", "2", "3", "4", "5", "6",
"7", "8", "9", "10", "11", "12");
$month_replace = array("January","February","March","April","May","June",
"July","August","September","October","November", "December");
$x_end = $month_end + 1;
for ($x = $month_start; $x < $x_end; $x++) {
$new_months .= $x.",";
}
$new_months = substr($new_months,0,-1);
$newmonth = explode(",", $new_months);
$newsmonth = str_replace($month,$month_replace,$newmonth);
var_dump ($newsmonth);
}
createMonths(1,3);
?>
a_baboshin at mail dot ru
04-Apr-2005 07:00
I wrote 2 function's file_replace() and dir_replace() with str_replace() signature
function file_replace ($search, $replace, $filename) {
if (file_exists($filename)) {
$cnt = file_get_contents($filename);
if (strstr($cnt, $search)) {
$cnt = str_replace($search, $replace, $cnt);
return file_put_contents($filename, $cnt);
}
return true;
}
return false;
}
function dir_replace ($search, $replace, $dirname, $recursive = true) {
$dir = opendir($dirname);
while ($file = readdir($dir)) {
if ($file != '.' && $file != '..') {
if (is_dir($dirname.'/'.$file)) {
if ($recursive) {
dir_replace($search, $replace, $dirname.'/'.$file);
}
} else {
file_replace($search, $replace, $dirname.'/'.$file);
}
}
}
}
usage ('search', 'replace', '/usr/home/root');
joaquin at metaltoad dot com
24-Mar-2005 04:04
This is an another accent remover which converts foreign characters to their English equivilent. It converts any character's to their HTML value and then uses preg_replace to find the desired value. The function is based on a earlier entry: replace_accents.
function remove_accents( $string )
{
$string = htmlentities($string);
return preg_replace("/&([a-z])[a-z]+;/i","$1",$string);
}
example:
$string = "C";
echo remove_accents( $string );
// will output: eecyCECA
hermes at andycostell dot com
11-Dec-2004 11:57
A simple function to take out the double line breaks "%0D%0A" from a string made from text being wrapped in a textarea and turn them into single line breaks.
<?php
function remove_extra_linebreaks($string) {
$new_string=urlencode ($string);
$new_string=ereg_replace("%0D", " ", $new_string);
$new_string=urldecode ($new_string);
return $new_string;
}
?>
I use it when taking text from a textarea with wrap="hard" that I'm emailing out on the next page, for instance. Otherwise there's an extra empty line between each line in the emailed text, which looks nasty!
aidan at php dot net
26-Jun-2004 10:53
Here is a simple function for highlighting a needle in text. It is careful to not replace text in HTML tags (unless specified).
http://aidan.dotgeek.org/lib/?file=function.str_highlight.php
Example: The google method of highlighting
<?php
$text = "Here is some text with a search term";
$needle = "search term";
echo str_highlight($text, $needle);
?>
Output:
Here is some text with a <strong>search term</strong>
aidan at php dot net
26-Jun-2004 10:07
If you would like to convert tabs to spaces, you could use the code:
<?php
str_replace("\t", " ", $text);
?>
However, sometimes this is not good enough. To be technically correct, a tab is not 4 spaces, a tab shifts the text to the next predefined column. Usually these predefined columns occur every 4 spaces from the start of the line.
If you want to convert tabs to spaces while ensuring consistant formatting, try this function...
http://aidan.dotgeek.org/lib/?file=function.tab2space.php
rylas at mudmirror dot com
04-Jun-2004 03:48
An easy way to convert email addresses to the PHP.net comment-style email addresses:
<?
$email = "john@doe.org";
$search = array('@', '.');
$replace = array(" at ", " dot ");
$result = str_replace($search, $replace, $email);
?>
Outputs:
john at doe dot org
jr at adslate dot com
03-Jun-2004 05:52
When the first argument to str_replace() is an array, the elements are checked in increasing order of array index, as one would expect.
For example,
str_replace (array ('ABC', 'BC'), array ('E', 'F'), 'ABC')
returns 'E';
str_replace (array ('BC', 'ABC'), array ('E', 'F'), 'ABC')
returns 'AE'.
Darren Gates - http://www.tufat.com
14-Mar-2004 01:22
Here's a version of str_replace which ignores differences in spacing (like tab, carriage return, line feed, etc.) in the two input strings.
Courtesy of http://www.tufat.com (Darren's Script Archive).
<?php
function str_rep($srcfor,$chwith,$mystr)
{
if(strlen($mystr) == 0)
return "";
$tok = strtok($srcfor," \n\t\r");
$strsrc = array();
$idxsrc = array();
$i = 0;
while($tok)
{
$strsrc[$i] = $tok;
$pos = strpos($srcfor,$tok);
$idxsrc[$i]=$pos;
$tok = strtok(" \n\r\t");
$i++;
}
$tok2 = strtok($mystr," \n\t\r");
$str = array();
$idx = array();
$j = 0;
while($tok2)
{
$str[$j] = $tok2;
$pos = strpos($mystr,$tok2);
$idx[$j]=$pos;
$tok2 = strtok(" \n\r\t");
$j++;
}
for($m=0;$m<$j;$m++)
{
if(strcasecmp($strsrc[0] , $str[$m]) == 0)
{
for($l=1;$l<$i;$l++)
{
if(strcasecmp($strsrc[$l],$str[$m+$l]) != 0)
break;
}
$l--;
if(($l+1) == $i)
{
$new_str=substr($mystr,0,$idx[$m]);
$new_str .= $chwith;
$index = $idx[$m+$l]+strlen($str[$l+$m]);
$len = strlen($mystr)-$index;
if($len > 0)
$new_str .= str_rep($srcfor,$chwith,substr($mystr,$index,$len));
return $new_str;
break;
}
}
}
return $mystr;
}
?>
unusedacct at no$p at m dot comcast dot net
19-Feb-2004 09:45
For those who haven't yet updated to PHP 5 yet, here is a quick function to do regular str_replace on a string [not arrays] only a certain number of times:
<?php
function str_replace_count($find,$replace,$subject,$count)
{
$subjectnew = $subject;
$pos = strpos($subject,$find);
if ($pos !== FALSE)
{
while ($pos !== FALSE)
{
$nC = $nC + 1;
$temp = substr($subjectnew,$pos+strlen($find));
$subjectnew = substr($subjectnew,0,$pos) . $replace . $temp;
if ($nC >= $count)
{
break;
}
$pos = strpos($subjectnew,$find);
} } return $subjectnew;
}
$stuff = "a b a b a b a b a";
print $stuff . " -- the old string<br>\n";
print str_replace_count("a ","c ",$stuff,4) . " -- the new string<br>\n";
?>
Hope this helps.
xavier paz (xpaz at matadracs dot com)
30-Dec-2003 10:39
If both the search and replace params are arrays, str_replace() will apply the substitutions incrementally, it is, it will try the first substitution, then the second using the result from the first one, and so on. It may be OK, or it may be a problem if you only want to change the original text.
For example, consider this code:
<?php
$search = array("one", "two", "three");
$replace = array("two", "three", "one");
$subject = "one two three";
echo str_replace($search, $replace, $subject). "<br>";
?>
This function makes the substitutions only to the original text.
<?php
function str_replace_clean($search, $replace, $subject) {
if (!is_array($search) or !is_array($replace) or !is_string($subject)) return $subject;
while (count($search)) {
$search_text = array_shift($search);
$replace_text = array_shift($replace);
$pos = strpos($subject, $search_text);
if (is_int($pos)) {
$pieces = explode($search_text, $subject);
if (count($search)) { foreach ($pieces as $k => $v) {
if (strlen($v)) $pieces[$k] = str_replace_clean($search, $replace, $v);
}
}
$subject = join($replace_text, $pieces);
break;
}
}
return $subject;
}
?>
To test:
<?php
echo str_replace_clean($search, $replace, $subject);
?>
-- Xavier
thewolf at pixelcarnage dot com
23-Oct-2003 07:45
I also wanted to replace rude words in a pice of text, I had str_replace replacing the word with *** but then I had a thought, what if I could replace these bad words and words also very similar? In the end I wrote this code, it uses two functions, one to check if the similarity between two words is high enough to qualify for filtering out and one to do the actual replacing (modified from my word_replace function):
<?php
$text = 'This is some text with a baword in it.';
echo similar_str_replace('badword', '*******', $text, 80);
function is_similar($one, $two, $similarity) {
similar_text($one, $two, $percent);
return $percent >= $similarity ? true : false;
}
function similar_str_replace($search, $replace, $subject, $similarity = 85) {
return preg_replace('/[a-zA-Z]+/e', 'is_similar(\'\0\', \'' . $search . '\', \'' . $similarity . '\') ? \'' . $replace . '\': \'\0\';', $subject);
}
?>
Just wack that into a php file, its ready for testing!
Hope someone uses it, and perhaps improves it somehow.
thewolf at pixelcarnage dot com
23-Oct-2003 07:38
I got sick of trying to replace just a word, so I decided I would write my own string replacement code. When that code because far to big and a little faulty I decided to use a simple preg_replace:
<?php
function word_replace($search, $replace, $subject) {
return preg_replace('/[a-zA-Z]+/e', '\'\0\' == \'' . $search . '\' ? \'' . $replace . '\': \'\0\';', $subject);
}
?>
I hope that this code helpes someone!
David Gimeno i Ayuso (info at sima-pc dot com)
25-Aug-2003 06:12
Take care with order when using arrays in replacement.
<?php
$match=array("ONE","TWO","THREE");
$replace=array("TWO WORDS","MANY LETTERS","OTHER IDEAS");
$sample="ONE SAMPLE";
echo str_replace($match,$replace,$sample);
?>
It will show: "MANY LETTERS WORDS SAMPLE"
That is, after replacing "ONE" with "TWO WORDS", process follows with next array item and it changes "TWO" with "MANY LETTERS".
imho at auspantheon dot com
27-Jun-2003 04:08
An excellent way of making sure your pages don't contain "invalid entities", IE. Valid HTML is using the following function.
Most forum packages / extensions provide output containing the symbol &, we don't want this!
<?php
function include_safe ($file)
{
$array = file($file);
foreach ($array as $line) {
print str_replace('&', '&', $line);
}
}
?>
The same technique could also be used in conjuntion with htmlmspecialchars or htmlentities.
dbergeron [at] clincab [dot] com
25-Jun-2003 11:08
here is a function to highlight a part of a string. Unlike str_replace, it is both case insensitive, and maintains the case of the highlighted text.
<?php
function highlight($x,$var) {if ($var != "") {
$xtemp = "";
$i=0;
while($i<strlen($x)){
if((($i + strlen($var)) <= strlen($x)) && (strcasecmp($var, substr($x, $i, strlen($var))) == 0)) {
$xtemp .= "<b>" . substr($x, $i , strlen($var)) . "</b>";
$i += strlen($var);
}
else {
$xtemp .= $x{$i};
$i++;
}
}
$x = $xtemp;
}
return $x;
}
?>
Example:
<?php
$string = "AaBbCcDd";
$string = highlight($string, "bc");
echo $string; ?>
13-Jun-2003 03:59
Having a string for $search and an array for $replace won't work. This is mentioned on the preg_replace() page where it's described as not making sense, but not here.
But one could interpret such a situation and hence implement str_replace so that a signature of (string, array, string) or even (string, array, array) would "work". The result of
<?php
$search = '*';
$replace = range(1,20);
$subject = '{*}';
$result = str_replace($search, $replace, $subject);
?>
could be an array of elements "{1}", "{2}", "{3}" .... In other words it would have the same effect as
<?php
$search = '*';
$replace = range(1,20);
$subject = '{*}';
$result = array();
foreach($replace as $r) {
$result[] = str_replace($search, $r, $subject);
}
?>
I leave more elaborate applications to your imagination :)
The result of a str_replace(string,array,array) would therefore presumably be an array of arrays, with its dimensions indexed by the two arrays passed in. But then there's the question of which is the first dimension and which is the second.
chirag at chime dot tv
23-Mar-2003 12:35
All the Google-like highlight functions above mess up when the needle is within the url too. getHTMLHighlight function below works fine:
<?php
function getHTMLHighlight($needle, $haystack, $hlS, $hlE)
{
$parts = explode(">", $haystack);
foreach($parts as $key=>$part)
{
$pL = "";
$pR = "";
if(($pos = strpos($part, "<")) === false)
$pL = $part;
elseif($pos > 0)
{
$pL = substr($part, 0, $pos);
$pR = substr($part, $pos, strlen($part));
}
if($pL != "")
$parts[$key] = preg_replace('|\b('.quotemeta($needle).')\b|iU', $hlS.'\\1'.$hlE, $pL) . $pR;
}
return(implode(">", $parts));
}
?>
Usage:
getHTMLHighlight($needle, $haystack, "<b style=\"background-color:#FF3145\">", "</b>");
mv@anywhere dot br
13-Feb-2003 06:03
how to remove accents from text
<?php
function accents($text) {
global $export;
$search = array ('', '', '', '', '', '', '', '', '', '', '', '', '');
$replace = array ('c', 'a', 'e', 'i', 'o', 'u', 'a', 'o', 'a', 'e', 'i', 'o', 'u');
$export = str_replace($search, $replace, $text);
return $export;
}
accents("Carnaval s no Brasil");
?>
rit at NOSPAMchatol dot com
07-Jan-2003 04:32
I was trying to remove newlines from a textarea input (result of failed submission of parent form - JS verification not possible in this situation) to send back to the textarea via javascript (due to the fact that setting the value in the textarea tag does not work) and had a hard time figuring it out.
If anyone cares, try replacing: "%0D%0A" which is how I found it(changed my POST method to GET) and tracked it down in the address bar of my browser. Hope this helps, I sure wish someone else had posted it earlier!
Shane43 at aol dot com
16-Oct-2002 07:12
Keep in mind that if you are trying to remove all the newlines (\n) from a fields that was submitted in a form, you may need look for \r\n instead:
If this doesn't work:
$text=str_replace ("\n", " ", $text);
then try this:
$text=str_replace ("\r\n", " ", $text);
art at zollerwagner dot com
09-Oct-2002 03:26
To use one or two arrays in str_replace,
this appears to be the correct format:
<?php
str_replace(array('1st_current_needle_element', '2nd, '3rd'), array('1st_new_needle_element', '2nd', '3rd'), $haystack)
?>
Example of a single array, which simply removes the characters in the first array:
<?php
$text=str_replace(array('<', '>', '', '/', '='), "", $text);
?>
This will delete the chars: < > \ / =
It could also be done by first defining the array(s), like this:
<?php
$targetChars=array('<', '>', '', '/', '=');
$text=str_replace($targetChars, "", $text);
?>
gwkeeper at mmhk dot cz
30-Sep-2002 11:47
Hi, if You want to use case insensitive replacement with support eastern languages e.g. czech special chars try this:
<?php
$text = eregi_replace ( (sql_regcase($searched_text)), "<span class=\"Marked_1\" >\\0</span>", $text );
?>
without sql_regcase it did not found some special eastern chars
paul at atomicrevs dot net
28-Aug-2002 07:29
I made this to parse values returned in a form, but to preserve formatting so that it doesn't get removed in the "remove anything but alphanumeric" line... Probably not elegant, but it works.
<?php
foreach ($_POST as $key => $val)
{
$val = preg_replace("(\r\n|\n|\r)", "#", $val);
$val = preg_replace("/[^0-9a-z -#]/i",'', $val); $val = str_replace("#", "*", $val); $_POST[$key] = $val;
}
?>
unleadedis at optusnet dot com dot au dot nospam
12-Aug-2002 12:48
The problem is that str_replace seems to call the replace even though there may not be a replacement.
This is a problem in that in my parsing script when it finds a certain tag it calls a function, this function does a few SQL queries. It has been noticed that doing a str_replace on a page that contains no 'tag' that I am searching for, the function is called anyway!!!
To get around this I have to do a str_pos to see if it exists then call str_replace.
eg,
<?php
$bc_pos = strpos($string,"[[breadcrumbtrail]]");
if ($bc_pos || is_numeric($bc_pos)) { $string = str_replace ("[[breadcrumbtrail]]",
generate_breadcrumb($nodedata_arr, $db), $string);
}
?>
tapken at engter dot de
24-May-2002 03:34
If you want to replace only the first occurence of a string you can use this function:
<?php
function str_replace_once($needle, $replace, $haystack) {
$pos = strpos($haystack, $needle);
if ($pos === false) {
return $haystack;
}
return substr_replace($haystack, $replace, $pos, strlen($needle));
}
?>
dpardo at fia dot es
03-Apr-2002 12:03
If you are working with spanish characters and you are using accent (marks,quotes) you have to use something similar to this
$q = str_replace("á", "a", $q);
| |