52

我正在考虑实现一个通过Java 中的Oauth 获得 Twitter 授权的应用程序。第一步是获取请求令牌。这是应用引擎的Python 示例

为了测试我的代码,我正在运行 Python 并使用 Java 检查输出。以下是 Python 生成基于哈希的消息验证码 (HMAC) 的示例:

#!/usr/bin/python

from hashlib import sha1
from hmac import new as hmac

key = "qnscAdgRlkIhAUPY44oiexBKtQbGY0orf7OV1I50"
message = "foo"

print "%s" % hmac(key, message, sha1).digest().encode('base64')[:-1]

输出:

$ ./foo.py
+3h2gpjf4xcynjCGU5lbdMBwGOc=

如何在 Java 中复制这个示例?

我在 Java中看到了HMAC 的一个例子:

try {
    // Generate a key for the HMAC-MD5 keyed-hashing algorithm; see RFC 2104
    // In practice, you would save this key.
    KeyGenerator keyGen = KeyGenerator.getInstance("HmacMD5");
    SecretKey key = keyGen.generateKey();

    // Create a MAC object using HMAC-MD5 and initialize with key
    Mac mac = Mac.getInstance(key.getAlgorithm());
    mac.init(key);

    String str = "This message will be digested";

    // Encode the string into bytes using utf-8 and digest it
    byte[] utf8 = str.getBytes("UTF8");
    byte[] digest = mac.doFinal(utf8);

    // If desired, convert the digest into a string
    String digestB64 = new sun.misc.BASE64Encoder().encode(digest);
} catch (InvalidKeyException e) {
} catch (NoSuchAlgorithmException e) {
} catch (UnsupportedEncodingException e) {
}

它使用javax.crypto.Mac,一切都很好。但是,SecretKey构造函数需要字节和算法。

Python示例中的算法是什么?没有算法如何创建 Java 密钥?

4

2 回答 2

70

HmacSHA1 似乎是您需要的算法名称:

SecretKeySpec keySpec = new SecretKeySpec(
        "qnscAdgRlkIhAUPY44oiexBKtQbGY0orf7OV1I50".getBytes(),
        "HmacSHA1");

Mac mac = Mac.getInstance("HmacSHA1");
mac.init(keySpec);
byte[] result = mac.doFinal("foo".getBytes());

BASE64Encoder encoder = new BASE64Encoder();
System.out.println(encoder.encode(result));

产生:

+3h2gpjf4xcynjCGU5lbdMBwGOc=

请注意,我在sun.misc.BASE64Encoder这里使用了快速实现,但您可能应该使用不依赖于 Sun JRE 的东西。例如,Commons Codec 中的 base64 编码器将是更好的选择。

于 2010-07-08T22:27:59.997 回答
26

一件小事,但是如果您正在寻找与 hmac(key,message) 等效的东西,那么默认情况下,python 库将使用 MD5 算法,因此您需要在 Java 中使用 HmacMD5 算法。

我提到这一点是因为我遇到了这个确切的问题并发现这个答案很有帮助,但我错过了将摘要方法传递给 hmac() 并因此陷入困境的部分。希望这个答案能防止其他人在未来做同样的事情。

例如在 Python REPL

>>> import hmac
>>> hmac.new("keyValueGoesHere", "secretMessageToHash").hexdigest()
'1a7bb3687962c9e26b2d4c2b833b2bf2'

这等效于 Java 方法:

import org.apache.commons.codec.binary.Hex;
import javax.crypto.Mac;
import javax.crypto.spec.SecretKeySpec;

public class HashingUtility {
    public static String HMAC_MD5_encode(String key, String message) throws Exception {

        SecretKeySpec keySpec = new SecretKeySpec(
                key.getBytes(),
                "HmacMD5");

        Mac mac = Mac.getInstance("HmacMD5");
        mac.init(keySpec);
        byte[] rawHmac = mac.doFinal(message.getBytes());

        return Hex.encodeHexString(rawHmac);
    }
}

请注意,在我的示例中,我正在做相当于 .hexdigest()

于 2012-06-19T13:43:34.050 回答