来自输入流的MD5校验和

时间:2014-12-29 19:28:25

标签: java md5

我正在尝试获取输入流的md5总和,但我得到的字符串加密不正确。

我得到的md5字符串是:ä?E´]Õaá*TàŠöJ

应该是:e48f0b45b45dd56102e12a54e08af64a

你能发现我做错了什么吗?这是一个工作计划:

import java.io.File;
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;

public class main {

public static void main(String[] args) throws IOException {

    byte[] fileContents = new byte[15 * 10000000];

    FileOutputStream out = new FileOutputStream("C:\\testFile");
    out.write(fileContents);
    out.close();

    File file = new File("C:\\testFile");
    FileInputStream fs = new FileInputStream(file);

    System.out.println(new String(getBytesOfMd5(fs)));

}

public static byte[] getBytesOfMd5(InputStream is) throws IOException {
    byte[] buffer = new byte[1024];
    MessageDigest complete = null;
    try {
        complete = MessageDigest.getInstance("MD5");
    } catch (NoSuchAlgorithmException e) {
        return null;
    }

    int numRead;
    do {
        numRead = is.read(buffer);
        if (numRead > 0) {
            complete.update(buffer, 0, numRead);
        }
    } while (numRead != -1);

    is.close();
    return complete.digest();
}
}

2 个答案:

答案 0 :(得分:4)

方法digest()将哈希值作为字节返回。然后你试图将这些字节直接转换为字符串。

您想要的是将每个字节转换为两个十六进制数字。这是代码:

byte[] hash = complete.digest();
StringBuilder sb = new StringBuilder();
for (byte b : hash)
  sb.append(String.format("%02x", b & 0xFF));
String hexHash = sb.toString();
System.out.println(hexHash);

答案 1 :(得分:1)

您只需将字节数组转换为十六进制:

import javax.xml.DatatypeConverter;

String hex = DatatypeConverter.printHexBinary(getBytesOfMd5(fs));

注意:您还可以使用InputStreamDigestInputStream打包,以便在您阅读信息流时自动为您计算摘要。