sha256
Java에서 문자열을 어떻게 해시 할 수 있습니까? 아무도 이것에 대한 무료 라이브러리를 알고 있습니까?
답변
SHA-256은 “인코딩”이 아니며 단방향 해시입니다.
기본적으로 문자열을 바이트로 변환 text.getBytes(StandardCharsets.UTF_8)
한 다음 (예 🙂 바이트를 해시합니다. 해시의 결과는 것을 참고 또한 임의의 바이너리 데이터, 그리고 당신이 문자열이를 표현하려면, 당신은 … base64로 또는 16 진수를 사용해야 하지 않는 사용하려고 String(byte[], String)
생성자를.
예 :
MessageDigest digest = MessageDigest.getInstance("SHA-256");
byte[] hash = digest.digest(text.getBytes(StandardCharsets.UTF_8));
답변
가장 쉬운 해결책은 Apache Common Codec 을 사용하는 것입니다 .
String sha256hex = org.apache.commons.codec.digest.DigestUtils.sha256Hex(stringText);
답변
또 다른 대안은 사용하기 쉬운 해싱 유틸리티 제품군이있는 구아바 입니다 . 예를 들어 SHA256을 16 진수 문자열로 사용하여 문자열을 해시하려면 간단히 다음을 수행하십시오.
final String hashed = Hashing.sha256()
.hashString("your input", StandardCharsets.UTF_8)
.toString();
답변
다른 문자열로 문자열에 대한 전체 예제 해시.
public static String sha256(String base) {
try{
MessageDigest digest = MessageDigest.getInstance("SHA-256");
byte[] hash = digest.digest(base.getBytes("UTF-8"));
StringBuffer hexString = new StringBuffer();
for (int i = 0; i < hash.length; i++) {
String hex = Integer.toHexString(0xff & hash[i]);
if(hex.length() == 1) hexString.append('0');
hexString.append(hex);
}
return hexString.toString();
} catch(Exception ex){
throw new RuntimeException(ex);
}
}
답변
자바 (8)를 사용하는 경우는 인코딩 할 수 있습니다 byte[]
수행하여
MessageDigest digest = MessageDigest.getInstance("SHA-256");
byte[] hash = digest.digest(text.getBytes(StandardCharsets.UTF_8));
String encoded = Base64.getEncoder().encodeToString(hash);
답변
import java.security.MessageDigest;
public class CodeSnippets {
public static String getSha256(String value) {
try{
MessageDigest md = MessageDigest.getInstance("SHA-256");
md.update(value.getBytes());
return bytesToHex(md.digest());
} catch(Exception ex){
throw new RuntimeException(ex);
}
}
private static String bytesToHex(byte[] bytes) {
StringBuffer result = new StringBuffer();
for (byte b : bytes) result.append(Integer.toString((b & 0xff) + 0x100, 16).substring(1));
return result.toString();
}
}
답변
String hashWith256(String textToHash) {
MessageDigest digest = MessageDigest.getInstance("SHA-256");
byte[] byteOfTextToHash = textToHash.getBytes(StandardCharsets.UTF_8);
byte[] hashedByetArray = digest.digest(byteOfTextToHash);
String encoded = Base64.getEncoder().encodeToString(hashedByetArray);
return encoded;
}