0

我正在尝试用php“加密”一个字符串(js代码),然后使用javascript对其进行解码。

这是php函数:

function xor_string( $text, $xorKey ) {
    $xored = '';
    $chars = str_split( $text );

    $i = 0;

    while ( $i < count( $chars ) ) {
        $xored .= chr( ord( $chars[$i] ) ^ $xorKey );
        $i++;
    }

    return $xored;
}

这是js函数:

function xor_string( str, key ) {
    var xored = "";
    for (i=0; i<str.length;i++) {
        var a = str.charCodeAt(i);
        var b = a ^ key;
        xored = xored+String.fromCharCode(b);
    }
    console.log(xored);
}

对于某些键,这种方式可以双向使用,但对于其他键则失败,例如:

echo urlencode( xor_string( 'document.location.href.search', 67 ) );

回报:

%27%2C+6.%26-7m%2F%2C+%227%2A%2C-m%2B1%26%25m0%26%221+%2B

当我尝试使用javascript“解码”它时:

var str = decodeURIComponent("%27%2C+6.%26-7m%2F%2C+%227%2A%2C-m%2B1%26%25m0%26%221+%2B");
xor_string( str, 67 );

它返回:

dohument.lohation.href.searhh

任何人都知道为什么会这样?

对于某些“键”,例如 120 和其他键,它可以正常工作,但对于许多其他键,它会失败。

4

2 回答 2

4

经典:-)

PHPurlencode与 JavaScript 并不完全相同encodeURIComonent:它们处理空白的方式不同;一种用途+,另一种%20

你需要处理它,例如phpjs 提供了一个 PHP-compliantdecodeURI函数

> var phpstring = "%27%2C+6.%26-7m%2F%2C+%227%2A%2C-m%2B1%26%25m0%26%221+%2B";
> xor_string(decodeURIComponent(phpstring.replace(/\+/g, "%20")), 67 );
"document.location.href.search"

xor正如您可能注意到的那样,此错误仅命中使用您的函数(及其参数)编码为空格的字符。

于 2012-09-27T02:28:37.840 回答
1

更好的解决方案是使用rawurlencode()而不是urleconde().

rawurlencode()会将空格转换为“%20”,但urlencode()会将空格转换为“+”。'%20' 是decodeURIComponent()对空间的期望。

请参阅以下完整示例:

<?php
    function xor_string( $text, $xorKey ) {
    $xored = '';
    $chars = str_split( $text );
    $i = 0;
    while ( $i < count( $chars ) ) {
        $xored .= chr( ord( $chars[$i] ) ^ $xorKey );
        $i++;
    }
    return $xored;
    }
?><html>
<body>
Encoded (php):
<div id="phpUrlEncode">
<?=urlencode( xor_string( 'document.location.href.search', 67 ) )?>
</div>
<div id="phpRawUrlEncode">
<?=rawurlencode( xor_string( 'document.location.href.search', 67 ) )?>
</div>
<br />
Decoded (js):
<div id="jsDecodeUrl"></div>
<div id="jsDecodeRawUrl"></div>
<script type="text/javascript">
function decodeStr(rawId,displayId) {
    var raw = document.getElementById(rawId).innerHTML;
    document.getElementById(displayId).innerHTML = xor_string(decodeURIComponent(raw),67);
}

function xor_string( str, key ) {
    var xored = "";
    for (i=0; i<str.length;i++) {
        var a = str.charCodeAt(i);
        var b = a ^ key;
        xored = xored+String.fromCharCode(b);
    }
    //console.log(xored);
    return xored;
}

decodeStr('phpUrlEncode','jsDecodeUrl');
decodeStr('phpRawUrlEncode','jsDecodeRawUrl');
</script>
</body>
</html>
于 2012-10-08T23:41:46.493 回答