如何用PHP替换坏词?

时间:2009-06-19 23:27:56

标签: php

我有一些文字我需要过滤掉一些不良单词列表:

$bad_words = array(
  'word1' => 'gosh',
  'word2' => 'darn',
);

我可以循环浏览这些并一次更换一个,但这很慢吗?还有更好的方法吗?

3 个答案:

答案 0 :(得分:3)

是的。使用preg_replace_callback()

<?php
header('Content-Type: text/plain');

$text = 'word1 some more words. word2 and some more words';
$text = preg_replace_callback('!\w+!', 'filter_bad_words', $text);
echo $text;

$bad_words = array(
  'word1' => 'gosh',
  'word2' => 'darn',
);

function filter_bad_words($matches) {
  global $bad_words;
  $replace = $bad_words[$matches[0]];
  return isset($replace) ? $replace : $matches[0];
}
?>

这是一个简单的过滤器,但它有很多限制。就像它不会停止拼写的变化,在字母之间使用空格或其他非单词字符,用数字替换字母等等。但是你想要的复杂程度基本取决于你。

更新(2016年11月9日)

我意识到这已经有7年了,但是如果被测试的单词不在$bad_words数组中,那么较新版本的php似乎会抛出异常。为了解决这个问题,我更改了filter_bad_words()的最后两行,如下所示:

$replace = array_key_exists($matches[0], $bad_words) ? $bad_words[$matches[0]] : false;
return $replace ?: $matches[0];

答案 1 :(得分:0)

str_ireplace()可以为搜索和替换参数提供数组。您可以将它与现有数组一起使用,如下所示:

$unfiltered_string = "gosh and darn are bad words";
$filtered_string = str_ireplace(array_vals($bad_words), array_keys($bad_words), $unfiltered_string);

// $filtered string now contains: "word1 and word2 are bad words"

答案 2 :(得分:-1)

像这样:

function clean($array, $str) {
    $words = array_keys($array);
    $replacements = array_values($array);

    return preg_replace($words, $replacements, $str);
}