Java: Как создать SHA-1 для файла? - PullRequest
27 голосов
/ 09 июня 2011

Каков наилучший способ создания SHA-1 для очень большого файла на чистом Java6?Как реализовать этот метод:

public abstract String createSha1(java.io.File file);

Ответы [ 3 ]

38 голосов
/ 09 июня 2011

Используйте класс MessageDigest и предоставляйте данные по частям.В приведенном ниже примере игнорируются такие детали, как превращение байта [] в строку и закрытие файла, но следует дать вам общее представление.

public byte[] createSha1(File file) throws Exception  {
    MessageDigest digest = MessageDigest.getInstance("SHA-1");
    InputStream fis = new FileInputStream(file);
    int n = 0;
    byte[] buffer = new byte[8192];
    while (n != -1) {
        n = fis.read(buffer);
        if (n > 0) {
            digest.update(buffer, 0, n);
        }
    }
    return digest.digest();
}
18 голосов
/ 18 июня 2015

Оператор запросил функцию вернуть строку из SHA1, поэтому я взял ответ @jeffs и добавил отсутствующее преобразование в строку:

/**
 * Read the file and calculate the SHA-1 checksum
 * 
 * @param file
 *            the file to read
 * @return the hex representation of the SHA-1 using uppercase chars
 * @throws FileNotFoundException
 *             if the file does not exist, is a directory rather than a
 *             regular file, or for some other reason cannot be opened for
 *             reading
 * @throws IOException
 *             if an I/O error occurs
 * @throws NoSuchAlgorithmException
 *             should never happen
 */
private static String calcSHA1(File file) throws FileNotFoundException,
        IOException, NoSuchAlgorithmException {

    MessageDigest sha1 = MessageDigest.getInstance("SHA-1");
    try (InputStream input = new FileInputStream(file)) {

        byte[] buffer = new byte[8192];
        int len = input.read(buffer);

        while (len != -1) {
            sha1.update(buffer, 0, len);
            len = input.read(buffer);
        }

        return new HexBinaryAdapter().marshal(sha1.digest());
    }
}
2 голосов
/ 15 февраля 2019
public static String computeFileSHA1( File file ) throws IOException
{
    String sha1 = null;
    MessageDigest digest;
    try
    {
        digest = MessageDigest.getInstance( "SHA-1" );
    }
    catch ( NoSuchAlgorithmException e1 )
    {
        throw new IOException( "Impossible to get SHA-1 digester", e1 );
    }
    try (InputStream input = new FileInputStream( file );
         DigestInputStream digestStream = new DigestInputStream( input, digest ) )
    {
        while(digestStream.read() != -1){
            // read file stream without buffer
        }
        MessageDigest msgDigest = digestStream.getMessageDigest();
        sha1 = new HexBinaryAdapter().marshal( msgDigest.digest() );
    }
    return sha1;
}
...