tp5中防xss攻击有两种方式
1、htmlspecialchars,直接把js代码标签中的<>转义成html实体
?
2、remove_xss,直接过滤script标签
第一种:直接在config.php里直接配置全局的
'default_filter' => 'htmlspecialchars',
或者不配置全局,直接在接收数据时候过滤
$data['name'] = input('name','','htmlspecialchars');
第二种:先安装拓展类
composer require ezyang/htmlpurifier
然后在公共的common中封装一个remove_xss函数
if (!function_exists('remove_xss')) {
//使用htmlpurifier防范xss攻击
function remove_xss($string){
//相对index.php入口文件,引入HTMLPurifier.auto.php核心文件
//require_once './plugins/htmlpurifier/HTMLPurifier.auto.php';
// 生成配置对象
$cfg = HTMLPurifier_Config::createDefault();
// 以下就是配置:
$cfg -> set('Core.Encoding', 'UTF-8');
// 设置允许使用的HTML标签
$cfg -> set('HTML.Allowed','div,b,strong,i,em,a[href|title],ul,ol,li,br,p[style],span[style],img[width|height|alt|src]');
// 设置允许出现的CSS样式属性
$cfg -> set('CSS.AllowedProperties', 'font,font-size,font-weight,font-style,font-family,text-decoration,padding-left,color,background-color,text-align');
// 设置a标签上是否允许使用target="_blank"
$cfg -> set('HTML.TargetBlank', TRUE);
// 使用配置生成过滤用的对象
$obj = new HTMLPurifier($cfg);
// 过滤字符串
return $obj -> purify($string);
}
}
之后在全局配置中配置
'default_filter' => 'remove_xss',
或者接值是进行过滤
$data['name'] = input('name','','remove_xss');
|