Go Hmac SHA1 在 Java 中生成与 Hmac SHA1 不同的哈希
Go Hmac SHA1 generates hash different from Hmac SHA1 in Java
我刚开始学习 Go,我正在尝试将我现有的小型应用程序从 Java 重写为 Go。
我需要使用 Hmac SHA1 算法为输入字符串创建 Base64 哈希值。
我的Java代码:
private String getSignedBody(String input, String key) {
String result = "";
try {
SecretKeySpec signingKey = new SecretKeySpec(key.getBytes("UTF-8"), "HmacSHA1");
Mac mac = Mac.getInstance("HmacSHA1");
mac.init(signingKey);
byte[] rawHmac = mac.doFinal(input.getBytes("UTF-8"));
result = Base64.encodeToString(rawHmac, false);
} catch (Exception e) {
Logger.error("Failed to generate signature: " + e.getMessage());
}
return result;
}
我的围棋代码:
func GetSignature(input, key string) string {
key_for_sign := []byte(key)
h := hmac.New(sha1.New, key_for_sign)
h.Write([]byte(input))
return base64.StdEncoding.EncodeToString(h.Sum(nil))
}
问题是 Go 代码生成了非预期的输出。例如,对于输入字符串 "qwerty"
和键 "key"
Java 输出将是 RiD1vimxoaouU3VB1sVmchwhfhg=
而 Go 输出将是 9Cuw7rAY671Fl65yE3EexgdghD8=
。
我的 Go 代码哪里出错了?
您提供的 Go 代码提供与 Java 代码完全相同的输出。
在 Go Playground 上试用。
输出:
RiD1vimxoaouU3VB1sVmchwhfhg=
您在调用 GetSignature()
函数时犯了错误。像链接的示例代码一样调用它:
fmt.Println(GetSignature("qwerty", "key"))
您的错误是您向 GetSignature()
函数传递了一个空输入。使用空 ""
输入和 "key"
键调用它会产生您提供的非预期输出:
fmt.Println(GetSignature("", "key"))
输出:
9Cuw7rAY671Fl65yE3EexgdghD8=
我刚开始学习 Go,我正在尝试将我现有的小型应用程序从 Java 重写为 Go。
我需要使用 Hmac SHA1 算法为输入字符串创建 Base64 哈希值。
我的Java代码:
private String getSignedBody(String input, String key) {
String result = "";
try {
SecretKeySpec signingKey = new SecretKeySpec(key.getBytes("UTF-8"), "HmacSHA1");
Mac mac = Mac.getInstance("HmacSHA1");
mac.init(signingKey);
byte[] rawHmac = mac.doFinal(input.getBytes("UTF-8"));
result = Base64.encodeToString(rawHmac, false);
} catch (Exception e) {
Logger.error("Failed to generate signature: " + e.getMessage());
}
return result;
}
我的围棋代码:
func GetSignature(input, key string) string {
key_for_sign := []byte(key)
h := hmac.New(sha1.New, key_for_sign)
h.Write([]byte(input))
return base64.StdEncoding.EncodeToString(h.Sum(nil))
}
问题是 Go 代码生成了非预期的输出。例如,对于输入字符串 "qwerty"
和键 "key"
Java 输出将是 RiD1vimxoaouU3VB1sVmchwhfhg=
而 Go 输出将是 9Cuw7rAY671Fl65yE3EexgdghD8=
。
我的 Go 代码哪里出错了?
您提供的 Go 代码提供与 Java 代码完全相同的输出。
在 Go Playground 上试用。
输出:
RiD1vimxoaouU3VB1sVmchwhfhg=
您在调用 GetSignature()
函数时犯了错误。像链接的示例代码一样调用它:
fmt.Println(GetSignature("qwerty", "key"))
您的错误是您向 GetSignature()
函数传递了一个空输入。使用空 ""
输入和 "key"
键调用它会产生您提供的非预期输出:
fmt.Println(GetSignature("", "key"))
输出:
9Cuw7rAY671Fl65yE3EexgdghD8=