3

有哪些好的 PHP html(输入)消毒剂?

最好是,如果内置了某些东西-我想对我们说。

更新

根据请求,通过注释,输入不应允许HTML(并且显然防止 XSS 和 SQL 注入等)。

4

4 回答 4

2

html 净化器 -> http://htmlpurifier.org/

于 2010-04-30T14:20:46.047 回答
0

我一直使用 PHP 的 addlashes() 和 stripslashes() 函数,但我也只看到了内置的 filter_var() 函数(链接)。看起来有很多内置过滤器

于 2010-04-30T14:21:36.247 回答
0

如果您想运行使用的查询,假设$_GET['user']一个不错的解决方案是使用mysql_real_escape_string()执行类似的操作:

<?php

    $user = mysql_real_escape_string($_GET['user']);
    $SQL = "SELECT * FROM users WHERE username = '$name'";

    //run $SQL now
    ...
?>

如果要将文本存储在数据库中,然后在网页上打印,请考虑使用htmlentities

[编辑]或者如awshepard所说,你可以使用addslashes()stripslashes()函数[/编辑]

下面是一个关于防止 XSS 攻击的清理示例:

<?php
    $str = "A 'quote' is <b>bold</b>";

    //Outputs: A 'quote' is <b>bold</b>
    echo $str;

    // Outputs: A 'quote' is &lt;b&gt;bold&lt;/b&gt;
    echo htmlentities($str);

    // Outputs: A &#039;quote&#039; is &lt;b&gt;bold&lt;/b&gt;
    echo htmlentities($str, ENT_QUOTES);
?>
于 2010-04-30T14:31:11.467 回答
0

利用

 $input_var=sanitize_input($_POST);

功能如下,几乎可以清理您需要的所有东西

function sanitize($var, $santype = 1){
     if ($santype == 1) {return strip_tags($var);}
     if ($santype == 2) {return htmlentities(strip_tags($var),ENT_QUOTES,'UTF-8');}
     if ($santype == 3) 
     {
      if (!get_magic_quotes_gpc()) {
       return addslashes(htmlentities(strip_tags($var),ENT_QUOTES,'UTF-8'));
      } 
      else {
         return htmlentities(strip_tags($var),ENT_QUOTES,'UTF-8');
      }
     }
    }

    function sanitize_input($input,$escape_mysql=false,$sanitize_html=true,
             $sanitize_special_chars=true,$allowable_tags='<br><b><strong><p>')
    {
      unset($input['submit']); //we use 'submit' variable for all of our form

      $input_array = $input;

      //array is not referenced when passed into foreach
      //this is why we create another exact array
      foreach ($input as $key=>$value)
      {
       if(!empty($value))
       {
        $input_array[$key]=strtolower($input_array[$key]);
        //stripslashes added by magic quotes
        if(get_magic_quotes_gpc()){$input_array[$key]=sanitize($input_array[$key]);} 

        if($sanitize_html){$input_array[$key] = strip_tags($input_array[$key],$allowable_tags);}

        if($sanitize_special_chars){$input_array[$key] = htmlspecialchars($input_array[$key]);}    

        if($escape_mysql){$input_array[$key] = mysql_real_escape_string($input_array[$key]);}
       }
      }

      return $input_array;

    }

请记住:它不会清理多维数组,您需要递归修改它。

于 2010-04-30T14:48:24.447 回答