2

我正在编写一个程序,该程序使用 pbkdf2 方法使用 cryptopp对密码进行哈希处理。

我在验证密码时遇到问题。我试图在“长度恒定”时间内比较输出,但它总是失败并返回 false。

// a and b are std strings containing the output of the DeriveKey function

unsigned diff = a.length() ^ b.length();
for(unsigned i = 0; i < a.length() && i < b.length(); i++)
{
      diff |= (unsigned)a[i] ^ (unsigned)b[i];
}

bool equal = diff == 0;

使用“慢等于”甚至是验证 pbkdf2 密码的正确方法吗?我对此有点困惑。

4

1 回答 1

1

我正在编写一个程序,该程序使用 cryptopp 使用 pbkdf2 方法对密码进行哈希处理。

您链接到 Crypto++ 主页,而不是您对 PBKDF 的特定用途。这是一些代码以防万一(它使用来自RFC 6070的 IETF 测试向量):

int main(int argc, char* argv[])
{
    byte password[] ="password";
    size_t plen = strlen((const char*)password);

    byte salt[] = "salt";
    size_t slen = strlen((const char*)salt);

    int c = 1;
    byte derived[20];

    PKCS5_PBKDF2_HMAC<CryptoPP::SHA1> pbkdf2;
    pbkdf2.DeriveKey(derived, sizeof(derived), 0, password, plen, salt, slen, c);

    string result;
    HexEncoder encoder(new StringSink(result));

    encoder.Put(derived, sizeof(derived));
    encoder.MessageEnd();

    cout << "Derived: " << result << endl;

    return 0;
}

我试图在“长度恒定”时间内比较输出,但它总是失败并返回 false。

Crypto++ 内置了一个恒定的时间比较。使用VerifyBufsEqualfrom misc.h. 源代码可在misc.cpp.

$ cd cryptopp
$ grep -R VerifyBufsEqual *
cryptlib.cpp:   return VerifyBufsEqual(digest, digestIn, digestLength);
default.cpp:    if (!VerifyBufsEqual(check, check+BLOCKSIZE, BLOCKSIZE))
fipstest.cpp:   if (!VerifyBufsEqual(expectedModuleMac, actualMac, macSize))
fipstest.cpp:   if (VerifyBufsEqual(expectedModuleMac, actualMac, macSize))
misc.cpp:bool VerifyBufsEqual(const byte *buf, const byte *mask, size_t count)
misc.h:CRYPTOPP_DLL bool CRYPTOPP_API VerifyBufsEqual(const byte *buf1, const byte *buf2, size_t count);
pssr.cpp:   valid = VerifyBufsEqual(representative + representativeByteLength - u, hashIdentifier.first, hashIdentifier.second) && valid;
pubkey.cpp: return VerifyBufsEqual(representative, computedRepresentative, computedRepresentative.size());
secblock.h:     return m_size == t.m_size && VerifyBufsEqual(m_ptr, t.m_ptr, m_size*sizeof(T));

我不清楚的是:VerifyBufsEqual基于相等长度的缓冲区。我不确定是否可以忽略“不等长”的情况。


Information Stack Exchange 上还有一个可能相关的问题:对密码哈希的定时攻击。但我不确定它是否/如何推广到任意缓冲区比较。

这个问题激起了我对一般问题的答案的兴趣(这个问题一直存在):当数组大小不相等时比较常量时间?. 这应该告诉我们是否在VerifyBufsEqual(Crypto++)、CRYPTO_memcmp(OpenSSL) 等中拥有合适的工具。

于 2015-01-04T23:31:23.793 回答