当前位置:  开发笔记 > 编程语言 > 正文

用Java获取文件的MD5校验和

如何解决《用Java获取文件的MD5校验和》经验,为你挑选了17个好方法。

我希望使用Java来获取文件的MD5校验和.我真的很惊讶,但我找不到任何显示如何获取文件的MD5校验和的内容.

怎么做?



1> erickson..:

有一个输入流装饰器,java.security.DigestInputStream因此您可以像往常一样使用输入流计算摘要,而不必对数据进行额外的传递.

MessageDigest md = MessageDigest.getInstance("MD5");
try (InputStream is = Files.newInputStream(Paths.get("file.txt"));
     DigestInputStream dis = new DigestInputStream(is, md)) 
{
  /* Read decorated stream (dis) to EOF as normal... */
}
byte[] digest = md.digest();


@erickson您没有使用文件内容更新MessageDigest对象.Rt?此代码将始终打印相同的摘要.
我同意,非常优雅的方式来计算动态的校验和,如果你已经在使用字节做某事(即从HTTP连接读取它们).
@barwnikk再次,这是您的本地配置问题.这是有效的Java 7和Java 8代码.如果你坚持使用2006年的工具,你将不得不适应.
@AlPhaba您是否将`is`声明为`InputStream`或`FileInputStream`?听起来像你使用`FileInputStream`,这将导致此错误.

2> Leif Gruenwo..:

使用DigestUtils从阿帕奇共享编解码器库:

try (InputStream is = Files.newInputStream(Paths.get("file.zip"))) {
    String md5 = org.apache.commons.codec.digest.DigestUtils.md5Hex(is);
}



3> Bill the Liz..:

在Real的Java-How-to中使用MessageDigest类有一个例子.

使用CRC32和SHA-1检查该页面的示例.

import java.io.*;
import java.security.MessageDigest;

public class MD5Checksum {

   public static byte[] createChecksum(String filename) throws Exception {
       InputStream fis =  new FileInputStream(filename);

       byte[] buffer = new byte[1024];
       MessageDigest complete = MessageDigest.getInstance("MD5");
       int numRead;

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

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

   // see this How-to for a faster way to convert
   // a byte array to a HEX string
   public static String getMD5Checksum(String filename) throws Exception {
       byte[] b = createChecksum(filename);
       String result = "";

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

   public static void main(String args[]) {
       try {
           System.out.println(getMD5Checksum("apache-tomcat-5.5.17.exe"));
           // output :
           //  0bb2827c5eacf570b6064e24e0e6653b
           // ref :
           //  http://www.apache.org/dist/
           //          tomcat/tomcat-5/v5.5.17/bin
           //              /apache-tomcat-5.5.17.exe.MD5
           //  0bb2827c5eacf570b6064e24e0e6653b *apache-tomcat-5.5.17.exe
       }
       catch (Exception e) {
           e.printStackTrace();
       }
   }
}


是的...... 11年后仍在线!:-)
@EJP感谢您的及时反馈.

4> oluies..:

该com.google.common.hash API提供:

适用于所有哈希函数的统一用户友好API

murmur3的可种子32位和128位实现

md5(),sha1(),sha256(),sha512()适配器,只更改一行代码以在这些之间切换,并且杂音.

goodFastHash(int bits),用于何时不关心您使用的算法

HashCode实例的常规实用程序,例如combineOrdered/combineUnordered

阅读用户指南(IO解释,散列说明).

对于用例Files.hash()计算并返回文件的摘要值.

例如sha-1摘要计算(将SHA-1更改为MD5以获取MD5摘要)

HashCode hc = Files.asByteSource(file).hash(Hashing.sha1());
"SHA-1: " + hc.toString();

请注意,crc32比md5快得多,因此如果您不需要加密安全校验和,请使用crc32.另请注意,md5不应用于存储密码等,因为它易于暴力破解,因为密码使用bcrypt, scrypt或sha-256代替.

对于带有哈希的长期保护, Merkle签名方案增加了安全性,欧洲委员会赞助的后量子密码学研究小组建议使用这种密码技术来长期保护量子计算机(参考).

请注意,crc32的碰撞率高于其他碰撞率.



5> assylias..:

使用nio2(Java 7+)而没有外部库:

byte[] b = Files.readAllBytes(Paths.get("/path/to/file"));
byte[] hash = MessageDigest.getInstance("MD5").digest(b);

要将结果与预期的校验和进行比较:

String expected = "2252290BC44BEAD16AA1BF89948472E8";
String actual = DatatypeConverter.printHexBinary(hash);
System.out.println(expected.equalsIgnoreCase(actual) ? "MATCH" : "NO MATCH");


对于大文件,这将占用大量内存,因为读取了整个文件,然后将其馈送到摘要中,而不是读取块并在读取时“消化”它们。

6> ColinD..:

Guava现在提供了一种新的,一致的散列API,它比JDK中提供的各种散列API更加用户友好.请参阅散列说明.对于文件,您可以轻松获得MD5总和,CRC32(版本14.0+)或许多其他哈希:

HashCode md5 = Files.hash(file, Hashing.md5());
byte[] md5Bytes = md5.asBytes();
String md5Hex = md5.toString();

HashCode crc32 = Files.hash(file, Hashing.crc32());
int crc32Int = crc32.asInt();

// the Checksum API returns a long, but it's padded with 0s for 32-bit CRC
// this is the value you would get if using that API directly
long checksumResult = crc32.padToLong();



7> MickJ..:

好.我不得不补充一下.对于已经拥有Spring和Apache Commons依赖关系或计划添加它的人来说,一行实现:

DigestUtils.md5DigestAsHex(FileUtils.readFileToByteArray(file))

For和Apache commons only选项(credit @duleshi):

DigestUtils.md5Hex(FileUtils.readFileToByteArray(file))

希望这有助于某人.



8> sunil..:

一种简单的方法,没有使用Java 7的第三方库

String path = "your complete file path";
MessageDigest md = MessageDigest.getInstance("MD5");
md.update(Files.readAllBytes(Paths.get(path)));
byte[] digest = md.digest();

如果需要打印此字节数组.使用方法如下

System.out.println(Arrays.toString(digest));

如果你需要这个摘要中的十六进制字符串.使用方法如下

String digestInHex = DatatypeConverter.printHexBinary(digest).toUpperCase();
System.out.println(digestInHex);

其中DatatypeConverter是javax.xml.bind.DatatypeConverter



9> Brian Gianfo..:

我最近不得不为一个动态字符串做这个,MessageDigest可以用多种方式表示哈希.要获得文件的签名,就像使用md5sum命令一样,我必须做类似这样的事情:

try {
   String s = "TEST STRING";
   MessageDigest md5 = MessageDigest.getInstance("MD5");
   md5.update(s.getBytes(),0,s.length());
   String signature = new BigInteger(1,md5.digest()).toString(16);
   System.out.println("Signature: "+signature);

} catch (final NoSuchAlgorithmException e) {
   e.printStackTrace();
}

这显然没有回答你关于如何专门为文件做这个问题的问题,上面的答案很好地解决了这个问题.我花了很多时间把这笔钱看起来像大多数应用程序显示它,并认为你可能遇到同样的麻烦.



10> 小智..:
public static void main(String[] args) throws Exception {
    MessageDigest md = MessageDigest.getInstance("MD5");
    FileInputStream fis = new FileInputStream("c:\\apache\\cxf.jar");

    byte[] dataBytes = new byte[1024];

    int nread = 0;
    while ((nread = fis.read(dataBytes)) != -1) {
        md.update(dataBytes, 0, nread);
    };
    byte[] mdbytes = md.digest();
    StringBuffer sb = new StringBuffer();
    for (int i = 0; i < mdbytes.length; i++) {
        sb.append(Integer.toString((mdbytes[i] & 0xff) + 0x100, 16).substring(1));
    }
    System.out.println("Digest(in hex format):: " + sb.toString());
}

或者您可以获得更多信息 http://www.asjava.com/core-java/java-md5-example/



11> 小智..:

我们使用的代码类似于上一篇文章中的代码

...
String signature = new BigInteger(1,md5.digest()).toString(16);
...

但是,请注意在BigInteger.toString()这里使用,因为它会截断前导零...(例如,尝试s = "27",校验和应该是"02e74f10e0327ad868d138f2b4fdd6f0")

我的第二个建议是使用Apache Commons Codec,我用它替换了我们自己的代码.



12> 小智..:
public static String MD5Hash(String toHash) throws RuntimeException {
   try{
       return String.format("%032x", // produces lower case 32 char wide hexa left-padded with 0
      new BigInteger(1, // handles large POSITIVE numbers 
           MessageDigest.getInstance("MD5").digest(toHash.getBytes())));
   }
   catch (NoSuchAlgorithmException e) {
      // do whatever seems relevant
   }
}



13> David Onter..:

非常快速和干净的Java方法,不依赖于外部库:

(如果需要,只需将MD5替换为SHA-1,SHA-256,SHA-384或SHA-512)

public String calcMD5() throws Exception{
        byte[] buffer = new byte[8192];
        MessageDigest md = MessageDigest.getInstance("MD5");

        DigestInputStream dis = new DigestInputStream(new FileInputStream(new File("Path to file")), md);
        try {
            while (dis.read(buffer) != -1);
        }finally{
            dis.close();
        }

        byte[] bytes = md.digest();

        // bytesToHex-method
        char[] hexChars = new char[bytes.length * 2];
        for ( int j = 0; j < bytes.length; j++ ) {
            int v = bytes[j] & 0xFF;
            hexChars[j * 2] = hexArray[v >>> 4];
            hexChars[j * 2 + 1] = hexArray[v & 0x0F];
        }

        return new String(hexChars);
}



14> 小智..:
String checksum = DigestUtils.md5Hex(new FileInputStream(filePath));



15> Lukasz R...:

另一个实现:Java中的快速MD5实现

String hash = MD5.asHex(MD5.getHash(new File(filename)));



16> gotozero..:

标准Java运行时环境方式:

public String checksum(File file) {
  try {
    InputStream fin = new FileInputStream(file);
    java.security.MessageDigest md5er =
        MessageDigest.getInstance("MD5");
    byte[] buffer = new byte[1024];
    int read;
    do {
      read = fin.read(buffer);
      if (read > 0)
        md5er.update(buffer, 0, read);
    } while (read != -1);
    fin.close();
    byte[] digest = md5er.digest();
    if (digest == null)
      return null;
    String strDigest = "0x";
    for (int i = 0; i < digest.length; i++) {
      strDigest += Integer.toString((digest[i] & 0xff) 
                + 0x100, 16).substring(1).toUpperCase();
    }
    return strDigest;
  } catch (Exception e) {
    return null;
  }
}

结果等于linux md5sum实用程序.



17> stackoverflo..:

这是一个简单的函数,它包含Sunil的代码,因此它将File作为参数.该函数不需要任何外部库,但它确实需要Java 7.

import java.io.File;
import java.io.IOException;
import java.nio.file.Files;
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;

import javax.xml.bind.DatatypeConverter;

public class Checksum {

    /**
     * Generates an MD5 checksum as a String.
     * @param file The file that is being checksummed.
     * @return Hex string of the checksum value.
     * @throws NoSuchAlgorithmException
     * @throws IOException
     */
    public static String generate(File file) throws NoSuchAlgorithmException,IOException {

        MessageDigest messageDigest = MessageDigest.getInstance("MD5");
        messageDigest.update(Files.readAllBytes(file.toPath()));
        byte[] hash = messageDigest.digest();

        return DatatypeConverter.printHexBinary(hash).toUpperCase();
    }

    public static void main(String argv[]) throws NoSuchAlgorithmException, IOException {
        File file = new File("/Users/foo.bar/Documents/file.jar");          
        String hex = Checksum.generate(file);
        System.out.printf("hex=%s\n", hex);            
    }


}

示例输出:

hex=B117DD0C3CBBD009AC4EF65B6D75C97B

推荐阅读
罗文彬2502852027
这个屌丝很懒,什么也没留下!
DevBox开发工具箱 | 专业的在线开发工具网站    京公网安备 11010802040832号  |  京ICP备19059560号-6
Copyright © 1998 - 2020 DevBox.CN. All Rights Reserved devBox.cn 开发工具箱 版权所有