我正在从nodejs迁移到PHP,我无法获得具有相同输入的以下代码段的类似输出md5哈希摘要。也许有些东西我不知道。
var md5sum = crypto.createHash('md5');
md5sum.update(new Buffer(str, 'binary'));
md5_result = md5sum.digest('hex');
先谢谢你的帮助!!!,顺便说一句,我的nodejs版本是10.1.0,而npm版本是5.6.0。对于那些要求的人来说,这个源代码等价物不是md5($str)
而且它不是我的代码,我只是转换它。例如,对于以下输入42b86318d761e13ef90c126c3e060582¤3¤724039¤1
,获取的摘要为9860bd2248c069c7b65045917c215596
。
我刚尝试在https://www.tutorialspoint.com/execute_nodejs_online.php处运行以下代码段,考虑到您的提案,但它们不起作用:
const crypto = require('crypto');
var str = "42b86318d761e13ef90c126c3e060582¤3¤724039¤1";
var md5sum = crypto.createHash('md5');
md5sum.update(new Buffer(str, 'binary'));
const md5_result = md5sum.digest('hex');
const md5 = crypto.createHash('md5').update(str).digest('hex');
const expected_digest = "9860bd2248c069c7b65045917c215596";
console.log("original version digest:" + md5_result);
console.log("proposed equivalent digest:" + md5);
console.log("expected digest:" + expected_digest);
我在该网站上获得的是:
original version digest:9860bd2248c069c7b65045917c215596
proposed equivalent digest:b8ee918f782fe7135b25c1fa59339094
expected digest:9860bd2248c069c7b65045917c215596
https://www.katacoda.com/courses/nodejs/playground,https://repl.it/,https://www.jdoodle.com/execute-nodejs-online等其他网站支持我的声明(即md5摘要为9860bd2248c069c7b65045917c215596
),但到目前为止,此网站{{3}输出你们有些人获得的东西(即b8ee918f782fe7135b25c1fa59339094
)。正如我之前所说,请帮助我找到第一个nodejs代码段的PHP EQUIVALENT版本。
答案 0 :(得分:1)
您不应该使用:new Buffer(str, 'binary')
:
const md5 = crypto
.createHash('md5')
.update(string)
.digest('hex');
使用它,您将获得与php md5
,linux md5sum
和节点相同的输出。
对于您的输入:42b86318d761e13ef90c126c3e060582¤3¤724039¤1
以下命令将打印相同的内容:
<强>的md5sum 强>
echo -n "42b86318d761e13ef90c126c3e060582¤3¤724039¤1" | md5sum
<强> PHP 强>
echo md5("42b86318d761e13ef90c126c3e060582¤3¤724039¤1");
<强>节点强>
require('crypto')
.createHash('md5')
.update("42b86318d761e13ef90c126c3e060582¤3¤724039¤1")
.digest('hex');
所有三个都将输出:b8ee918f782fe7135b25c1fa59339094
注意:强>
new Buffer
已弃用,应改为使用Buffer.from
。
其他网站如 https://www.katacoda.com/courses/nodejs/playground,https://repl.it/ ,https://www.jdoodle.com/execute-nodejs-online支持我的主张(即 md5摘要是9860bd2248c069c7b65045917c215596)
他们不支持您的声明,您在许多不同的node.js环境中执行相同的错误代码。当然,每个Node.js环境都会为您的代码打印输出,但这并不是正确的。
由于您无法修改代码,并且您希望使用PHP等效代码,因此它位于:
function utf8_char_code_at($str, $index) {
$char = mb_substr($str, $index, 1, 'UTF-8');
if (mb_check_encoding($char, 'UTF-8')) {
$ret = mb_convert_encoding($char, 'UTF-32BE', 'UTF-8');
return hexdec(bin2hex($ret));
} else {
return null;
}
}
function myMD5($str) {
$tmp = "";
for($i = 0; $i < mb_strlen($str); $i++)
$tmp .= bin2hex(chr(utf8_char_code_at($str, $i)));
return md5(hex2bin($tmp));
}
echo myMD5($string);
utf8_char_code_at
取自https://stackoverflow.com/a/18499265/1119863
它将输出:9860bd2248c069c7b65045917c215596
与您的节点代码段相同。