我需要一个与Java的MD5功能相当的PHP,它采用一个字节数组并将散列作为一个16字节的数组返回。 我不需要PHP的md5函数的Java等价物。问题是PHP的md5
函数只接受字符串,而不是字节数组。
Heres是Java中的预期结果:
// input byte array
// for short: 123456
final byte[] data = new byte[] { (byte) 0x12, (byte) 0x34, (byte) 0x56 };
// expected 16 hash bytes
// for short: ae1fa6209a246b8b2f2cd2d21be8f2e1
final byte[] expectedHash = new byte[] {
(byte) 0xae, (byte) 0x1f, (byte) 0xa6, (byte) 0x20,
(byte) 0x9a, (byte) 0x24, (byte) 0x6b, (byte) 0x8b,
(byte) 0x2f, (byte) 0x2c, (byte) 0xd2, (byte) 0xd2,
(byte) 0x1b, (byte) 0xe8, (byte) 0xf2, (byte) 0xe1 };
我在PHP中的尝试是:
<?php
// input byte array
$data = array(0x12, 0x34, 0x56);
// pack data in a string, becouse md5 can only
// compute a hash for a string
$dataString = pack('C*', $data); // is it the right way?
var_dump($dataString);
// compute the hash and get a string back
$hash = md5($dataString, true);
// expected 16 hash bytes
// for short: ae1fa6209a246b8b2f2cd2d21be8f2e1
$expected = array(
0xae, 0x1f, 0xa6, 0x20,
0x9a, 0x24, 0x6b, 0x8b,
0x2f, 0x2c, 0xd2, 0xd2,
0x1b, 0xe8, 0xf2, 0xe1);
var_dump($expected);
// convert the string back to a byte array
$actual = unpack('C*', $hash); // is it the right way?
var_dump($actual);
assert($expected == $actual);
?>
$dataString
的长度为0.所以第一个错误必须在pack
。但我不知道如何将任意字节数组打包成字符串。你能给我正确的format
论证吗?
答案 0 :(得分:0)
我知道了:)
<?php
function javaMd5($data) {
assert(is_array($data));
$dataString = byteArrayToString($data);
$hashString = md5($dataString, true);
assert(strlen($hashString) == 16);
$hash = stringToByteArray($hashString);
assert(count($hash) == 16);
return $hash;
}
function stringToByteArray($s) {
assert(is_string($s));
$result = array_fill(0, strlen($s), 0);
for ($i = 0; $i < strlen($s); $i++) {
$result[$i] = ord($s[$i]);
}
return $result;
}
function byteArrayToString($b) {
assert(is_array($b));
$asciiString = '';
for ($i = 0; $i < count($b); $i++) {
assert($b[$i] >= 0 && $b[$i] <= 255);
$asciiString .= chr($b[$i]);
}
$utf8String = utf8_encode($asciiString);
return $utf8String;
}
$data = array(0x12, 0x34, 0x56);
$expected = array(
0xae, 0x1f, 0xa6, 0x20,
0x9a, 0x24, 0x6b, 0x8b,
0x2f, 0x2c, 0xd2, 0xd2,
0x1b, 0xe8, 0xf2, 0xe1);
$actual = javaMd5($data);
assert($expected == $actual);
?>
我不确定字符串编码但是它有效。我没有说明PHP使用隐式xyz编码的字符串而不是像Java那样的探索字节数组。 manuel并没有说char编码。这可能是因为有很多关于如何在XYZ语言中计算PHP符号的md5的问题。