我在C#中有这段代码:
byte[] bytes = Encoding.Default.GetBytes("secret key");
int value = checked((int)Math.Round((currentDateTime - dateTimeOf1970).TotalSeconds));
HMACSHA256 hMACSHA = new HMACSHA256(bytes);
string text2 = this.toHexString(hMACSHA.ComputeHash(Encoding.Default.GetBytes(value.ToString() + "/" + url)));
其中toHexString方法是这样的:
private string toHexString (byte[] bytes)
{
string text = "";
checked
{
for (int i = 0; i < bytes.Length; i++)
{
byte b = bytes[i];
int num = (int)b;
string text2 = num.ToString("X").ToLower();
if (text2.Length < 2)
{
text2 = "0" + text2;
}
text += text2;
}
return text;
}
}
现在我想在Java中使用它,而且由于我的Java技能不如我的C#技能,我正在弄清楚如何翻译它。我翻译的toHexString方法如下:
private static String toHexString (byte[] bytes) {
String text = "";
for (int i = 0; i < bytes.length; i++) {
byte b = bytes[i];
int num = (int) b;
String text2 = Integer.toHexString(num);
if (text2.length() < 2) {
text2 = "0" + text2;
}
text += text2;
}
return text;
}
这非常有效,产生的输出与C#版本相同。
现在使用另一种方法(使用HMCAS-SHA256),我继续翻译它:
//creating the timestamp
long timestamp = System.currentTimeMillis() / 1000;
//getting the int value of it
int value = (int) timestamp;
//just a string that is the value of the hmac
String input = String.valueOf(value) + "/" + url;
//new hmac instance
Mac sha256_HMAC = Mac.getInstance("HmacSHA256");
//my secret key where bytes is "my key".getBytes();
SecretKeySpec secret_key = new SecretKeySpec(bytes, "HmacSHA256");
sha256_HMAC.init(secret_key);
//trying to have as string
String txt2 = toHexString (sha256_HMAC.doFinal(input.getBytes()));
问题是它不会产生相同的输出,
C#版本(应该如何):
12eb558b98dd9a5429e7676640f3dd4122941a575ffa9dc20318...
Java版:
fffffff8fffffff87215ffffffb232ffffffeeffffff9069fffffffc6d4cffffffb667ff...
任何帮助将不胜感激!
答案 0 :(得分:2)
您的主要问题是您的Java toHexString()
方法搞砸了。
Java始终使用带符号的值,因此Integer.toHexString(num);
会返回大量负32位数字(您可以在输出中看到ff
。
因此,如果将字节转换为(unsigned)int,则必须添加& 0xFF
:
Integer.toHexString(0xff & num);
无论如何,许多库都提供了字节数组到十六进制字符串的方法。因此,没有必要再次编码。我更喜欢apache commons编解码器库中的Hex
类。
BTW:您使用的是C#和Java中的默认编码,但即使在同一台机器上,这也不一定意味着编码是相同的。使用像UTF-8这样的固定版本。