当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


Java SHA-1 Hash用法及代码示例


SHA-1或安全哈希算法1是一种加密哈希函数,它接受输入并产生一个160位(20字节)的哈希值。此哈希值称为消息摘要。然后,通常将此消息摘要呈现为40位长的十六进制数字。它是美国联邦信息处理标准,由美国国家安全局设计。

自2005年以来,SHA-1现在被认为是不安全的。到2017年,微软,谷歌,苹果和Mozilla等主要的技术巨头浏览器已停止接受SHA-1 SSL证书。

要在Java中计算加密哈希值,将使用MessageDigest Class(位于包java.security下)。


MessagDigest类提供以下加密哈希函数,以查找文本的哈希值,如下所示:

  • MD2
  • MD5
  • SHA-1
  • SHA-224
  • SHA-256
  • SHA-384
  • SHA-512

这些算法以称为getInstance()的静态方法初始化。选择算法后,将计算消息摘要值,并将结果作为字节数组返回。 BigInteger类用于将结果字节数组转换为其符号表示。然后将该表示形式转换为十六进制格式,以获取预期的MessageDigest。

例子:

Input:hello world
Output:2aae6c35c94fcfb415dbe95f408b9ce91ee846ed

Input:GeeksForGeeks
Output:addf120b430021c36c232c99ef8d926aea2acd6b

下面的程序显示了Java中SHA-1哈希的实现。

// Java program to calculate SHA-1 hash value 
  
import java.math.BigInteger; 
import java.security.MessageDigest; 
import java.security.NoSuchAlgorithmException; 
  
public class GFG { 
    public static String encryptThisString(String input) 
    { 
        try { 
            // getInstance() method is called with algorithm SHA-1 
            MessageDigest md = MessageDigest.getInstance("SHA-1"); 
  
            // digest() method is called 
            // to calculate message digest of the input string 
            // returned as array of byte 
            byte[] messageDigest = md.digest(input.getBytes()); 
  
            // Convert byte array into signum representation 
            BigInteger no = new BigInteger(1, messageDigest); 
  
            // Convert message digest into hex value 
            String hashtext = no.toString(16); 
  
            // Add preceding 0s to make it 32 bit 
            while (hashtext.length() < 32) { 
                hashtext = "0" + hashtext; 
            } 
  
            // return the HashText 
            return hashtext; 
        } 
  
        // For specifying wrong message digest algorithms 
        catch (NoSuchAlgorithmException e) { 
            throw new RuntimeException(e); 
        } 
    } 
  
    // Driver code 
    public static void main(String args[]) throws 
                                       NoSuchAlgorithmException 
    { 
  
        System.out.println("HashCode Generated by SHA-1 for:"); 
  
        String s1 = "GeeksForGeeks"; 
        System.out.println("\n" + s1 + ":" + encryptThisString(s1)); 
  
        String s2 = "hello world"; 
        System.out.println("\n" + s2 + ":" + encryptThisString(s2)); 
    } 
}
输出:
HashCode Generated by SHA-1 for:

GeeksForGeeks:addf120b430021c36c232c99ef8d926aea2acd6b

hello world:2aae6c35c94fcfb415dbe95f408b9ce91ee846ed

应用:

  • 密码学
  • 数据的完整性


相关用法


注:本文由纯净天空筛选整理自RishabhPrabhu大神的英文原创作品 SHA-1 Hash。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。