2

我有一个正在开发的应用程序,用户可以在其中为自己选择一个名称。我需要能够过滤掉“坏”的名字,所以我现在这样做:

$error_count=0;

$bad_names="badname1badname2";

preg_match_all("/\b".$user_name."\b/i",$global['bad_names'],
  $matches,PREG_OFFSET_CAPTURE);

if(count($matches[0])>0)
{
  $error_count++;
}

这会告诉我用户名是否在坏名列表中,但是,它不会告诉我坏名本身是否在用户名中。他们可以将一个坏词与其他东西结合起来,而我不会发现它。

我会为此使用哪种正则表达式(如果我什至使用正则表达式)?我需要能够取任何不好的名字(最好在像 $bad_names 这样的数组中),并搜索用户的名字以查看该词是否在他们的名字中。我对正则表达式不是很好,我能想到的唯一方法就是把它全部通过一个看起来效率很低的循环。有人有更好的主意吗?我想我需要弄清楚如何用数组搜索字符串。

4

2 回答 2

1
$badnames = array('name1', 'name2');

// you need to quote the names so they can be inserted into the
// regular expression safely
$badnames_quoted = array();
foreach ($badnames as $name) {
    $badnames_quoted[] = preg_quote($name, '/');
}

// now construct a RE that will match any bad name
$badnames_re = '/\b('.implode('|', $badnames_quoted).')\b/Siu';

// no need to gather all matches, or even to see what matched
$hasbadname = preg_match($badnames_re, $thestring);
if ($hasbadname) {
    // bad name found
}
于 2012-04-18T02:10:30.987 回答
0
private static $bad_name = array("word1", "word2", "word3");
private static $forbidden_name = array (array of unwanted character strings)

private static function userNameValid($name_in) {
  $badFound = preg_match("/\b(" . implode(self::$bad_name,"|") . ")\b/i", $name_in); // checks array for exact match
  $forbiddenFound = preg_match("/(" . implode(self::$forbidden_name,"|") . ")/i", $name_in); // checks array for any character match with a given name (i.e. "ass" would be found in assassin)

  if ($badFound) {
     return FALSE;
  } elseif ($forbiddenFound) {
     return FALSE;
  } else {
     return TRUE;
  }

这对我来说很棒

于 2012-04-18T02:28:18.200 回答