3

我得到的结果是相同类型的文件返回相同的 md5 哈希值。例如,两个不同的 jpg 给了我相同的结果。但是,jpg 与 apk 会给出不同的结果。

这是我的代码...

public static String checkHashURL(String input) {
    try {
        MessageDigest md = MessageDigest.getInstance("MD5");
        InputStream is = new URL(input).openStream();

        try {
            is = new DigestInputStream(is, md);

            int b;

            while ((b = is.read()) > 0) {
                ;
            }
        } finally {
            is.close();
        }
        byte[] digest = md.digest();
        StringBuffer sb = new StringBuffer();

        for (int i = 0; i < digest.length; i++) {
            sb.append(
                    Integer.toString((digest[i] & 0xff) + 0x100, 16).substring(
                            1));
        }
        return sb.toString();

    } catch (Exception ex) {
        throw new RuntimeException(ex);
    }
}
4

1 回答 1

5

这已破了:

while ((b = is.read()) > 0)

您的代码将在流的第一个字节 0 处停止。如果两个文件在第一个 0 字节之前具有相同的值,您将失败。如果你真的想调用 byte-at-a-time 版本read,你需要:

while (is.read() != -1) {}

参数InputStream.read()方法在到达流的末尾时返回 -1。

(没有必要给 赋值b,因为你没有使用它。)

最好一次读取一个缓冲区:

byte[] ignoredBuffer = new byte[8 * 1024]; // Up to 8K per read
while (is.read(ignoredBuffer) > 0) {}

这次条件是有效的,因为InputStream.read(byte[])如果你传入一个空缓冲区,它只会返回 0。否则,它将尝试读取至少一个字节,如果已到达流的末尾,则返回读取的数据长度或 -1。

于 2012-11-14T18:13:35.093 回答