1

我正在尝试删除下面的每三个字符(在示例中为句点)是我最好的猜测,并且与我得到的结果接近,但我错过了一些东西,可能是次要的。这种方法(如果我可以让它工作)也会比正则表达式匹配更好吗?

$arr = 'Ha.pp.yB.ir.th.da.y';
$strip = '';
for ($i = 1; $i < strlen($arr); $i += 2) {
$arr[$i] = $strip; 
}
4

4 回答 4

2

一种方法是:

<?php
$oldString = 'Ha.pp.yB.ir.th.da.y';
$newString = "";

for ($i = 0; $i < strlen($oldString ); $i++) // loop the length of the string
{
  if (($i+1) % 3 != 0) // skip every third letter
  {
    $newString .= $oldString[$i];  // build up the new string
  }
}
// $newString is HappyBirthday
echo $newString;
?>

或者,如果您要删除的字母始终相同,则 explode() 函数可能会起作用。

于 2011-04-29T05:38:40.563 回答
1

这可能有效:

echo preg_replace('/(..)./', '$1', 'Ha.pp.yB.ir.th.da.y');

使其通用:

echo preg_replace('/(.{2})./', '$1', $str);

2这种情况下,这意味着您保留两个字符,然后丢弃下一个字符。

于 2011-04-29T05:52:49.373 回答
1

一种方法:

$old = 'Ha.pp.yB.ir.th.da.y';
$arr = str_split($old); #break string into an array

#iterate over the array, but only do it over the characters which are a
#multiple of three (remember that arrays start with 0)
for ($i = 2; $i < count($arr); $i+=2) {
    #remove current array item
    array_splice($arr, $i, 1);
}
$new = implode($arr); #join it back

或者,使用正则表达式:

$old = 'Ha.pp.yB.ir.th.da.y';
$new = preg_replace('/(..)\./', '$1', $old);
#selects any two characters followed by a dot character
#alternatively, if you know that the two characters are letters,
#change the regular expression to:
/(\w{2})\./
于 2011-04-29T05:55:47.140 回答
0

我只是使用array_map和一个回调函数。它看起来大致是这样的:

function remove_third_char( $text ) {
    return substr( $text, 0, 2 );
}

$text = 'Ha.pp.yB.ir.th.da.y';
$new_text = str_split( $text, 3 );

$new_text = array_map( "remove_third_char", $new_text );

// do whatever you want with new array
于 2011-04-29T06:20:59.597 回答