java sha256加密
时间: 2023-08-31 19:07:29 浏览: 168
要在Java中使用SHA-256加密算法,可以使用Java中的MessageDigest类。下面是一个示例代码:
```java
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;
import java.nio.charset.StandardCharsets;
public class SHA256Example {
public static void main(String[] args) {
String input = "Hello, World!";
String hashedOutput = sha256(input);
System.out.println("SHA-256 output: " + hashedOutput);
}
public static String sha256(String input) {
try {
MessageDigest digest = MessageDigest.getInstance("SHA-256");
byte[] hash = digest.digest(input.getBytes(StandardCharsets.UTF_8));
// Convert byte array to hexadecimal string
StringBuilder hexString = new StringBuilder();
for (byte b : hash) {
String hex = Integer.toHexString(0xff & b);
if (hex.length() == 1) {
hexString.append('0');
}
hexString.append(hex);
}
return hexString.toString();
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
return null;
}
}
}
```
上述示例代码会将字符串"Hello, World!"进行SHA-256加密,并输出加密后的结果。请确保在使用MessageDigest类时处理NoSuchAlgorithmException异常。
阅读全文