我正在寻找一个等同于这个php调用的java:
hash_hmac('sha1', "test", "secret")
我尝试使用java.crypto.Mac,但两人不同意:
String mykey = "secret";
String test = "test";
try {
Mac mac = Mac.getInstance("HmacSHA1");
SecretKeySpec secret = new SecretKeySpec(mykey.getBytes(),"HmacSHA1");
mac.init(secret);
byte[] digest = mac.doFinal(test.getBytes());
String enc = new String(digest);
System.out.println(enc);
} catch (Exception e) {
System.out.println(e.getMessage());
}
key =“secret”和test =“test”的输出似乎不匹配。
答案 0 :(得分:38)
事实上他们确实同意
正如Hans Doggen已经注意到PHP使用十六进制表示法输出消息摘要,除非您将原始输出参数设置为true。
如果要在Java中使用相同的表示法,可以使用类似
for (byte b : digest) {
System.out.format("%02x", b);
}
System.out.println();
相应地格式化输出。
答案 1 :(得分:16)
您可以在Java中尝试:
private static String computeSignature(String baseString, String keyString) throws GeneralSecurityException, UnsupportedEncodingException {
SecretKey secretKey = null;
byte[] keyBytes = keyString.getBytes();
secretKey = new SecretKeySpec(keyBytes, "HmacSHA1");
Mac mac = Mac.getInstance("HmacSHA1");
mac.init(secretKey);
byte[] text = baseString.getBytes();
return new String(Base64.encodeBase64(mac.doFinal(text))).trim();
}
答案 2 :(得分:5)
这是我的实施:
String hmac = "";
Mac mac = Mac.getInstance("HmacSHA1");
SecretKeySpec secret = new SecretKeySpec(llave.getBytes(), "HmacSHA1");
mac.init(secret);
byte[] digest = mac.doFinal(cadena.getBytes());
BigInteger hash = new BigInteger(1, digest);
hmac = hash.toString(16);
if (hmac.length() % 2 != 0) {
hmac = "0" + hmac;
}
return hmac;
答案 3 :(得分:3)
对我来说,PHP使用HEX表示法来表示Java生成的字节(1a = 26) - 但我没有检查整个表达式。
如果通过this页面上的方法运行字节数组会怎样?
答案 4 :(得分:2)
我对HmacMD5的实现 - 只需将算法更改为HmacSHA1:
SecretKeySpec keySpec = new SecretKeySpec("secretkey".getBytes(), "HmacMD5");
Mac mac = Mac.getInstance("HmacMD5");
mac.init(keySpec);
byte[] hashBytes = mac.doFinal("text2crypt".getBytes());
return Hex.encodeHexString(hashBytes);
答案 5 :(得分:1)
没有测试过,但试试这个:
BigInteger hash = new BigInteger(1, digest);
String enc = hash.toString(16);
if ((enc.length() % 2) != 0) {
enc = "0" + enc;
}
这是我的方法的快照,它使java的md5和sha1匹配php。
答案 6 :(得分:1)
通过这种方式,我可以获得与我在php
中使用hash_hmac完全相同的字符串String result;
try {
String data = "mydata";
String key = "myKey";
// Get an hmac_sha1 key from the raw key bytes
byte[] keyBytes = key.getBytes();
SecretKeySpec signingKey = new SecretKeySpec(keyBytes, "HmacSHA1");
// Get an hmac_sha1 Mac instance and initialize with the signing key
Mac mac = Mac.getInstance("HmacSHA1");
mac.init(signingKey);
// Compute the hmac on input data bytes
byte[] rawHmac = mac.doFinal(data.getBytes());
// Convert raw bytes to Hex
byte[] hexBytes = new Hex().encode(rawHmac);
// Covert array of Hex bytes to a String
result = new String(hexBytes, "ISO-8859-1");
out.println("MAC : " + result);
}
catch (Exception e) {
}