1

我有以下代码来验证消息。即使消息无效,消息也会传递并返回 true。

代码:

$message = "abcdefghijklmnopqrstuvwxyz ABCDEFGHIJKLMNOPQRSTUVWXYZ 1234567890 \" ' ! & ( ) @ [ ] ? . : , ; - _";

if(isset($message) && strlen($message) > 10)
{
  if (preg_match("/[a-zA-Z0-9 \"'!&()@[\]\?.:,;\-_]/u", $message)) 
  { 
    return true;
  }
  else
  {
    return false;   
  }
}
else
{
  return false;
}

当前代码应该作为 true 传递,所有字符都有效,但是当我更改消息时

$message = "abcdefghijklmnopqrstuvwxyz ABCDEFGHIJKLMNOPQRSTUVWXYZ 1234567890 \" ' ! & ( ) @ [ ] ? . : , ; - _ >";

它应该以最后一个字符失败。但它通过ands发送真实。我可能会错过一些东西或没有逃避一些东西。

最终,消息将通过 HTML 表单发送。

更新:

将正则表达式更改为

preg_match("/^[a-zA-Z0-9 \"'!&()@[]\?.:,;-_]+$/u", $message)

或者

if (preg_match("/^[a-zA-Z0-9 \"'!&()@[\]\?.:,;\-_]*$/u", $message))

修复了验证,没有想到字符的多次出现。

4

3 回答 3

0

您应该添加字符串开头(^),字符串结尾字符($)和*来表示字符串中字符的多次出现。消息字符串中有多个空格。

if (preg_match("/^[a-zA-Z0-9 \"'!&()@[\]\?.:,;\-_]*$/u", $message))
于 2013-07-04T11:27:07.387 回答
0

将 preg 匹配更改为以下内容:

preg_match("/^[a-zA-Z0-9 \"'!&()@[\]\?.:,;\-_]+$/u", $message)

preg 匹配中的 ^ 字符强制正则表达式从字符串的开头开始读取,而美元 '$' 强制正则表达式查找到字符串的末尾。

在美元“$”之前添加了 + 字符。这接受字符串中的多个字符

于 2013-07-04T11:35:48.743 回答
0

您的正则表达式说,任何字符串,其中包含任何一个字符

"a-zA-Z0-9 \"'!&()@[]\?.:,;-_"

将是有效的。但实际上我们需要弄清楚字符串是否包含任何其他符号。为此,您只需将“^”放在 sybmols 类的开头并检查字符串是否与我们的正则表达式不匹配。这里的代码:

if(isset($message) && strlen($message) > 10) {
if (!preg_match("/[^a-zA-Z0-9 \"'!&()@[\]\?.:,;\-_]/u", $message)) { 
return true;
}
else {
return false; 
}
}
else {
return false;
}

或者只是用这个改变你的正则表达式 -

"/^[a-zA-Z0-9 \"'!&()@[]\?.:,;-_]+$/u",

我添加文字的地方:

^ - begin of the string,
+ - quantifier, which means, that there must be at least 1 symbol (you can use *, as well, cause you check lenght of the string),
$ - end of the string.

建议 - 检查

于 2013-07-05T12:15:30.840 回答