Java How to convert Bytes to Hex
By:Roy.LiuLast updated:2019-08-11
In Java, you can use String.format("%02x", bytes) to convert bytes to hex easily.
private static String bytesToHex(byte[] hashInBytes) {
StringBuilder sb = new StringBuilder();
for (byte b : hashInBytes) {
sb.append(String.format("%02x", b));
return sb.toString();
Alternative solution.
private static String bytesToHex1(byte[] hashInBytes) {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < hashInBytes.length; i++) {
sb.append(Integer.toString((hashInBytes[i] & 0xff) + 0x100, 16).substring(1));
return sb.toString();
private static String bytesToHex2(byte[] hashInBytes) {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < hashInBytes.length; i++) {
String hex = Integer.toHexString(0xff & hashInBytes[i]);
if (hex.length() == 1) sb.append('0');
sb.append(hex);
return sb.toString();
1. Bytes To Hex - SHA-256
A full Java example to use a SHA-256 algorithm to hash a password.
ByesToHex.java
package com.mkyong.hashing;
import java.nio.charset.StandardCharsets;
import java.security.MessageDigest;
import java.security.NoSuchAlgorithmException;
public class ByesToHex {
public static void main(String[] args) throws NoSuchAlgorithmException {
String password = "123456";
MessageDigest md = MessageDigest.getInstance("SHA-256");
byte[] hashInBytes = md.digest(password.getBytes(StandardCharsets.UTF_8));
System.out.println(bytesToHex(hashInBytes));
System.out.println(bytesToHex2(hashInBytes));
System.out.println(bytesToHex3(hashInBytes));
private static String bytesToHex(byte[] hashInBytes) {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < hashInBytes.length; i++) {
sb.append(Integer.toString((hashInBytes[i] & 0xff) + 0x100, 16).substring(1));
return sb.toString();
private static String bytesToHex2(byte[] hashInBytes) {
StringBuilder sb = new StringBuilder();
for (int i = 0; i < hashInBytes.length; i++) {
String hex = Integer.toHexString(0xff & hashInBytes[i]);
if (hex.length() == 1) sb.append('0');
sb.append(hex);
return sb.toString();
private static String bytesToHex3(byte[] hashInBytes) {
StringBuilder sb = new StringBuilder();
for (byte b : hashInBytes) {
sb.append(String.format("%02x", b));
return sb.toString();
Output
8d969eef6ecad3c29a3a629280e686cf0c3f5d5a86aff3ca12020c923adc6c92 8d969eef6ecad3c29a3a629280e686cf0c3f5d5a86aff3ca12020c923adc6c92 8d969eef6ecad3c29a3a629280e686cf0c3f5d5a86aff3ca12020c923adc6c92
References
From:一号门

COMMENTS