PHP mysql_real_escape_string() 函数

定义和用法

mysql_real_escape_string() 函数转义 SQL 语句中使用的字符串中的特殊字符。

下列字符受影响:

  • \x00
  • \n
  • \r
  • \
  • '
  • "
  • \x1a

如果成功,则该函数返回被转义的字符串。如果失败,则返回 false。

语法

  1. mysql_real_escape_string(string,connection)
参数 描述
string 必需。规定要转义的字符串。
connection 可选。规定 MySQL 连接。如果未规定,则使用上一个连接。

说明

本函数将 string 中的特殊字符转义,并考虑到连接的当前字符集,因此可以安全用于 mysql_query()

提示和注释

提示:可使用本函数来预防数据库攻击。

例子

例子 1

  1. <?php
  2. $con = mysql_connect("localhost", "hello", "321");
  3. if (!$con)
  4. {
  5. die('Could not connect: ' . mysql_error());
  6. }
  7.  
  8. // 获得用户名和密码的代码
  9.  
  10. // 转义用户名和密码,以便在 SQL 中使用
  11. $user = mysql_real_escape_string($user);
  12. $pwd = mysql_real_escape_string($pwd);
  13.  
  14. $sql = "SELECT * FROM users WHERE
  15. user='" . $user . "' AND password='" . $pwd . "'"
  16.  
  17. // 更多代码
  18.  
  19. mysql_close($con);
  20. ?>

例子 2

数据库攻击。本例演示如果我们不对用户名和密码应用 mysql_real_escape_string() 函数会发生什么:

  1. <?php
  2. $con = mysql_connect("localhost", "hello", "321");
  3. if (!$con)
  4. {
  5. die('Could not connect: ' . mysql_error());
  6. }
  7.  
  8. $sql = "SELECT * FROM users
  9. WHERE user='{$_POST['user']}'
  10. AND password='{$_POST['pwd']}'";
  11. mysql_query($sql);
  12.  
  13. // 不检查用户名和密码
  14. // 可以是用户输入的任何内容,比如:
  15. $_POST['user'] = 'john';
  16. $_POST['pwd'] = "' OR ''='";
  17.  
  18. // 一些代码...
  19.  
  20. mysql_close($con);
  21. ?>

那么 SQL 查询会成为这样:

  1. SELECT * FROM users
  2. WHERE user='john' AND password='' OR ''=''

这意味着任何用户无需输入合法的密码即可登陆。

例子 3

预防数据库攻击的正确做法:

  1. <?php
  2. function check_input($value)
  3. {
  4. // 去除斜杠
  5. if (get_magic_quotes_gpc())
  6. {
  7. $value = stripslashes($value);
  8. }
  9. // 如果不是数字则加引号
  10. if (!is_numeric($value))
  11. {
  12. $value = "'" . mysql_real_escape_string($value) . "'";
  13. }
  14. return $value;
  15. }
  16.  
  17. $con = mysql_connect("localhost", "hello", "321");
  18. if (!$con)
  19. {
  20. die('Could not connect: ' . mysql_error());
  21. }
  22.  
  23. // 进行安全的 SQL
  24. $user = check_input($_POST['user']);
  25. $pwd = check_input($_POST['pwd']);
  26. $sql = "SELECT * FROM users WHERE
  27. user=$user AND password=$pwd";
  28.  
  29. mysql_query($sql);
  30.  
  31. mysql_close($con);
  32. ?>