无法从字符串中删除破折号(-)

2022-03-22 00:00:00 string php preg-replace
下面的函数将一些单词剥离到一个数组中,调整空格并执行我需要的其他操作。我还需要去掉破折号,因为我也把它们写成单词。但此函数不会删除破折号。怎么了?

function stripwords($string) 
{ 
  // build pattern once 
  static $pattern = null; 
  if ($pattern === null) { 
    // pull words to remove from somewhere 
    $words = array('alpha', 'beta', '-');  
    // escape special characters 
    foreach ($words as &$word) { 
      $word = preg_quote($word, '#'); 
    } 
    // combine to regex 
    $pattern = '#(' . join('|', $words) . ')s*#iS'; 
  } 

  $print = preg_replace($pattern, '', $string);
  list($firstpart)=explode('+', $print);
  return $firstpart;

}

解决方案

要回答您的问题,问题是,它指定了一个词边界。如果在连字符前面或后面有空格,则不会像在"-"中那样删除它,因此不适用单词边界。

发件人http://www.regular-expressions.info/wordboundaries.html:

有三个不同的位置 符合单词边界条件的:

  1. 在第一个字符之前 字符串,如果第一个字符是 单词字符。
  2. 在最后一个之后 字符串中的字符,如果最后 字符是单词字符。
  3. 之间 字符串中的两个字符,其中 一个是单词字符,另一个是字符 不是单词字符。

"Word Character"是可用于构词的字符。

简单的解决方案:

s一起添加到您的模式中,并使用积极的回顾和积极的展望,您应该能够解决您的问题。

$pattern = '#(?<=|s|A)(' . join('|', $words) . ')(?=|s|)s*#iS'; 

相关文章