命令注入 DVWA 困难难度

Command Injection DVWA Hard Difficulty

我使用 DVWA 是为了了解安全漏洞。如下图命令注入部分,后端代码为:

<?php

if( isset( $_POST[ 'Submit' ]  ) ) {
    // Get input
    $target = trim($_REQUEST[ 'ip' ]);

    // Set blacklist
    $substitutions = array(
        '&'  => '',
        ';'  => '',
        '| ' => '',
        '-'  => '',
        '$'  => '',
        '('  => '',
        ')'  => '',
        '`'  => '',
        '||' => '',
    );

    // Remove any of the charactars in the array (blacklist).
    $target = str_replace( array_keys( $substitutions ), $substitutions, $target );

    // Determine OS and execute the ping command.
    if( stristr( php_uname( 's' ), 'Windows NT' ) ) {
        // Windows
        $cmd = shell_exec( 'ping  ' . $target );
    }
    else {
        // *nix
        $cmd = shell_exec( 'ping  -c 4 ' . $target );
    }

    // Feedback for the end user
    echo "<pre>{$cmd}</pre>";
}

?>

根据我的理解,如果我将 || ls 作为输入,那么代码应该将 || 替换为 '',因此注入应该不起作用。虽然令我惊讶的是,注入工作产生了如下所示的文件输出:

替换数组只是一个小陷阱...您需要定义 ||之前 |因为您需要在单个字符之前对双字符执行替换。这是一个有趣的小怪癖!

所以你的数组

// Set blacklist
$substitutions = array(
    '&'  => '',
    ';'  => '',
    '| ' => '',
    '-'  => '',
    '$'  => '',
    '('  => '',
    ')'  => '',
    '`'  => '',
    '||' => '',
); 

应该是

// Set blacklist
$substitutions = array(
    '&'  => '',
    ';'  => '',
    '||' => '',
    '| ' => '',
    '-'  => '',
    '$'  => '',
    '('  => '',
    ')'  => '',
    '`'  => '',
);