서명 계산을위한 HMAC-SHA256 알고리즘
HMAC-SHA256 알고리즘을 사용하여 서명을 만들려고하는데 이것이 제 코드입니다. US ASCII 인코딩을 사용하고 있습니다.
final Charset asciiCs = Charset.forName("US-ASCII");
final Mac sha256_HMAC = Mac.getInstance("HmacSHA256");
final SecretKeySpec secret_key = new javax.crypto.spec.SecretKeySpec(asciiCs.encode("key").array(), "HmacSHA256");
final byte[] mac_data = sha256_HMAC.doFinal(asciiCs.encode("The quick brown fox jumps over the lazy dog").array());
String result = "";
for (final byte element : mac_data)
{
result += Integer.toString((element & 0xff) + 0x100, 16).substring(1);
}
System.out.println("Result:[" + result + "]");
위 코드에서 얻은 결과는 다음과 같습니다.
f7bc83f430538424b13298e6aa6fb143ef4d59a14946175997479dbc2d1a3cd8
이것은 위키에 표시된 것과 동일합니다.
HMAC_SHA256("key", "The quick brown fox jumps over the lazy dog") = 0x f7bc83f430538424b13298e6aa6fb143ef4d59a14946175997479dbc2d1a3cd8
제외 하고 0x
.
모든 일을 제대로하고 있거나 코드를 개선 할 수 있는지 아이디어 / 댓글을 찾고 있습니다.
0x는 뒤에 오는 문자가 16 진 문자열을 나타냄을 나타냅니다.
0x1A == 1Ah == 26 == 1A
따라서 0x는 출력 형식을 명확히하기위한 것이므로 걱정할 필요가 없습니다.
내 해결책은 다음과 같습니다.
public static String encode(String key, String data) throws Exception {
Mac sha256_HMAC = Mac.getInstance("HmacSHA256");
SecretKeySpec secret_key = new SecretKeySpec(key.getBytes("UTF-8"), "HmacSHA256");
sha256_HMAC.init(secret_key);
return Hex.encodeHexString(sha256_HMAC.doFinal(data.getBytes("UTF-8")));
}
public static void main(String [] args) throws Exception {
System.out.println(encode("key", "The quick brown fox jumps over the lazy dog"));
}
또는 Base64로 인코딩 된 해시를 반환 할 수 있습니다.
Base64.encodeBase64String(sha256_HMAC.doFinal(data.getBytes("UTF-8")));
16 진 출력은 예상대로입니다.
f7bc83f430538424b13298e6aa6fb143ef4d59a14946175997479dbc2d1a3cd8
당신이 얻은 대답은 맞습니다. 위 코드에서 한 가지 사소한 것은 doFinal ()을 호출하기 전에 init (key)를해야한다는 것입니다.
final Charset charSet = Charset.forName("US-ASCII");
final Mac sha256_HMAC = Mac.getInstance("HmacSHA256");
final SecretKeySpec secret_key = new javax.crypto.spec.SecretKeySpec(charSet.encode("key").array(), "HmacSHA256");
try {
sha256_HMAC.init(secret_key);
} catch (InvalidKeyException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
...
Guava를 사용하는 경우 최신 릴리스를 통해
Hashing.hmacSha256()
추가 문서 : https://guava.dev/releases/23.0/api/docs/com/google/common/hash/Hashing.html#hmacSha256-byte:A-
이것은 나를 위해 잘 작동합니다.
나는 의존성을 추가했다
compile 'commons-codec:commons-codec:1.9'
참조 : http://mvnrepository.com/artifact/commons-codec/commons-codec/1.9
내 기능
public String encode(String key, String data) {
try {
Mac sha256_HMAC = Mac.getInstance("HmacSHA256");
SecretKeySpec secret_key = new SecretKeySpec(key.getBytes("UTF-8"), "HmacSHA256");
sha256_HMAC.init(secret_key);
return new String(Hex.encodeHex(sha256_HMAC.doFinal(data.getBytes("UTF-8"))));
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
} catch (InvalidKeyException e) {
e.printStackTrace();
} catch (UnsupportedEncodingException e) {
e.printStackTrace();
}
return null;
}
이 시도
늦어서 미안합니다. 위의 모든 답변을 시도했지만 어느 것도 정확한 가치를 제공하지 않습니다. 많은 R & D를 수행 한 후 정확한 가치를 제공하는 간단한 방법을 찾았습니다.
이 메서드를 클래스에 선언하십시오.
private String hmacSha(String KEY, String VALUE, String SHA_TYPE) { try { SecretKeySpec signingKey = new SecretKeySpec(KEY.getBytes("UTF-8"), SHA_TYPE); Mac mac = Mac.getInstance(SHA_TYPE); mac.init(signingKey); byte[] rawHmac = mac.doFinal(VALUE.getBytes("UTF-8")); byte[] hexArray = {(byte)'0', (byte)'1', (byte)'2', (byte)'3', (byte)'4', (byte)'5', (byte)'6', (byte)'7', (byte)'8', (byte)'9', (byte)'a', (byte)'b', (byte)'c', (byte)'d', (byte)'e', (byte)'f'}; byte[] hexChars = new byte[rawHmac.length * 2]; for ( int j = 0; j < rawHmac.length; j++ ) { int v = rawHmac[j] & 0xFF; hexChars[j * 2] = hexArray[v >>> 4]; hexChars[j * 2 + 1] = hexArray[v & 0x0F]; } return new String(hexChars); } catch (Exception ex) { throw new RuntimeException(ex); }
}
이것을 사용하십시오
Log.e("TAG", "onCreate: "+hmacSha("key","text","HmacSHA256"));
확인
1. Android 스튜디오 출력 2. 온라인 HMAC 생성기 출력 (온라인 생성기는 여기 방문 )
인코딩 된 (HMAC-x) 서명을 생성하는 Java 단순 코드. (Java-8 및 Eclipse를 사용하여 시도)
import java.io.UnsupportedEncodingException;
import java.security.InvalidKeyException;
import java.security.NoSuchAlgorithmException;
import javax.crypto.Mac;
import javax.crypto.spec.SecretKeySpec;
import com.sun.org.apache.xml.internal.security.utils.Base64;
/**
* Encryption class to show how to generate encoded(HMAC-x) signatures.
*
*/
public class Encryption {
public static void main(String args[]) {
String message = "This is my message.";
String key = "your_key";
String algorithm = "HmacMD5"; // OPTIONS= HmacSHA512, HmacSHA256, HmacSHA1, HmacMD5
try {
// 1. Get an algorithm instance.
Mac sha256_hmac = Mac.getInstance(algorithm);
// 2. Create secret key.
SecretKeySpec secret_key = new SecretKeySpec(key.getBytes("UTF-8"), algorithm);
// 3. Assign secret key algorithm.
sha256_hmac.init(secret_key);
// 4. Generate Base64 encoded cipher string.
String hash = Base64.encode(sha256_hmac.doFinal(message.getBytes("UTF-8")));
// You can use any other encoding format to get hash text in that encoding.
System.out.println(hash);
/**
* Here are the outputs for given algorithms:-
*
* HmacMD5 = hpytHW6XebJ/hNyJeX/A2w==
* HmacSHA1 = CZbtauhnzKs+UkBmdC1ssoEqdOw=
* HmacSHA256 =gCZJBUrp45o+Z5REzMwyJrdbRj8Rvfoy33ULZ1bySXM=
* HmacSHA512 = OAqi5yEbt2lkwDuFlO6/4UU6XmU2JEDuZn6+1pY4xLAq/JJGSNfSy1if499coG1K2Nqz/yyAMKPIx9C91uLj+w==
*/
} catch (NoSuchAlgorithmException e) {
e.printStackTrace();
} catch (UnsupportedEncodingException e) {
e.printStackTrace();
} catch (InvalidKeyException e) {
e.printStackTrace();
}
}
}
참고 : 당신은 다른 알고리즘을 사용할 수 있으며 생성 시도 할 수 있습니다
HmacMD5
,HmacSHA1
,HmacSHA256
,HmacSHA512
서명을.
내 해결책은 다음과 같습니다.
public String HMAC_SHA256(String secret, String message)
{
String hash="";
try{
Mac sha256_HMAC = Mac.getInstance("HmacSHA256");
SecretKeySpec secret_key = new SecretKeySpec(secret.getBytes(), "HmacSHA256");
sha256_HMAC.init(secret_key);
hash = Base64.encodeToString(sha256_HMAC.doFinal(message.getBytes()), Base64.DEFAULT);
}catch (Exception e)
{
}
return hash.trim();
}
그러나 HMAC-SHA256을 계산하는 방법을 여기에서 찾은 경우 다음과 같은 예외가 발생합니다.
java.lang.NoSuchMethodError : 정적 메소드가 없습니다 encodeHexString ([B) Ljava / lang / String; Lorg / apache / commons / codec / binary / Hex 클래스에서; 또는 수퍼 클래스 ( 'org.apache.commons.codec.binary.Hex'선언이 /system/framework/org.apache.http.legacy.boot.jar에 표시됨)
그런 다음 다음을 사용하십시오.
public static String encode(String key, String data) {
try {
Mac hmac = Mac.getInstance("HmacSHA256");
SecretKeySpec secret_key = new SecretKeySpec(key.getBytes("UTF-8"), "HmacSHA256");
hmac.init(secret_key);
return new String(Hex.encodeHex(hmac.doFinal(data.getBytes("UTF-8"))));
} catch (Exception e) {
throw new RuntimeException(e);
}
}
참조 URL : https://stackoverflow.com/questions/7124735/hmac-sha256-algorithm-for-signature-calculation
'IT박스' 카테고리의 다른 글
Windows에서 MBCS와 UTF-8의 차이점 (0) | 2020.12.15 |
---|---|
절대 URL인지 상대 URL인지 확인 (0) | 2020.12.15 |
yield를 사용한 재귀 (0) | 2020.12.15 |
mongodb 문서에서 부분 문자열을 바꾸는 방법 (0) | 2020.12.15 |
공백으로 경로를 입력하는 방법은 무엇입니까? (0) | 2020.12.15 |