DVWA之文件包含(File Inclusion)

文件包含(File Inclusion)

指当服务器开启allow_url_include选项时,就可以通过php的某些特性函数(include(),require()和include_once(),require_once())利用url去动态包含文件,此时如果没有对文件来源进行严格审查,就会导致任意文件读取或者任意命令执行。文件包含漏洞分为本地文件包含漏洞与远程文件包含漏洞,远程文件包含漏洞是因为开启了php配置中的allow_url_fopen选项(选项开启之后,服务器允许包含一个远程的文件)。

Security Level: low

源码



// The page we wish to display
$file = $_GET[ 'page' ];

?> 

分析

服务器端对page参数没有做任何的过滤跟检查。

进行下方的实验

DVWA之文件包含(File Inclusion)_第1张图片

Security Level: medium

源码



// The page we wish to display
$file = $_GET[ 'page' ];

// Input validation
$file = str_replace( array( "http://", "https://" ), "", $file );
$file = str_replace( array( "../", "..\"" ), "", $file );

?>

分析

将输入的url参数中包含的“http://”、“https://”, “. . /” , ". . ""等字符串替换成空的字符串,即过滤了远程文件包含, 对于本地文件包含并没有任何过滤

进行下方的实验

DVWA之文件包含(File Inclusion)_第2张图片

Security Level: high

源码



// The page we wish to display
$file = $_GET[ 'page' ];

// Input validation
if( !fnmatch( "file*", $file ) && $file != "include.php" ) {
    // This isn't the page we want!
    echo "ERROR: File not found!";
    exit;
}

?> 

分析

使用了fnmatch函数检查page参数,要求page参数的开头必须是file,服务器才会去包含相应的文件。

进行下方的实验

DVWA之文件包含(File Inclusion)_第3张图片

Security Level: impossible

源码



// The page we wish to display
$file = $_GET[ 'page' ];

// Only allow include.php or file{1..3}.php
if( $file != "include.php" && $file != "file1.php" && $file != "file2.php" && $file != "file3.php" ) {
    // This isn't the page we want!
    echo "ERROR: File not found!";
    exit;
}

?> 

分析

Impossible级别的代码使用了白名单机制进行防护,简单粗暴,page参数必须为“include.php”、“file1.php”、“file2.php”、“file3.php”之一,彻底杜绝了文件包含漏洞。

你可能感兴趣的:(DVWA,php,网络,安全)