如何使用boost :: hash获取文件内容哈希?

问题描述 投票:3回答:2

是否可以使用boost:hash函数生成固定长度的文件内容哈希,如MD5?

对此有快速解决方案吗?

如果没有,最简单的方法是什么?

c++ boost hash
2个回答
3
投票

不,Boost没有实现MD5。为此使用加密/哈希库。

Crypto ++在我的体验中很不错。

OpenSSL实现了所有流行的摘要,这是一个使用OpenSSL的示例:

Live On Coliru

#include <openssl/md5.h>
#include <iostream>
#include <iomanip>

// Print the MD5 sum as hex-digits.
void print_md5_sum(unsigned char* md) {
    for(unsigned i=0; i <MD5_DIGEST_LENGTH; i++) {
        std::cout << std::hex << std::setw(2) << std::setfill('0') << static_cast<int>(md[i]);
    }
}

#include <string>
#include <vector>
#include <fstream>

int main(int argc, char *argv[]) {
    using namespace std;
    vector<string> const args(argv+1, argv+argc);

    for (auto& fname : args) {

        MD5_CTX ctx;
        MD5_Init(&ctx);

        ifstream ifs(fname, std::ios::binary);

        char file_buffer[4096];
        while (ifs.read(file_buffer, sizeof(file_buffer)) || ifs.gcount()) {
            MD5_Update(&ctx, file_buffer, ifs.gcount());
        }
        unsigned char digest[MD5_DIGEST_LENGTH] = {};
        MD5_Final(digest, &ctx);

        print_md5_sum(digest);
        std::cout << "\t" << fname << "\n";
    }
}

1
投票

boot具有这样的功能。至少现在:qazxsw poi

https://www.boost.org/doc/libs/master/libs/uuid/doc/uuid.html

#include <iostream> #include <algorithm> #include <iterator> #include <boost/uuid/detail/md5.hpp> #include <boost/algorithm/hex.hpp> using boost::uuids::detail::md5; std::string toString(const md5::digest_type &digest) { const auto charDigest = reinterpret_cast<const char *>(&digest); std::string result; boost::algorithm::hex(charDigest, charDigest + sizeof(md5::digest_type), std::back_inserter(result)); return result; } int main () { std::string s; while(std::getline(std::cin, s)) { md5 hash; md5::digest_type digest; hash.process_bytes(s.data(), s.size()); hash.get_digest(digest); std::cout << "md5(" << s << ") = " << toString(digest) << '\n'; } return 0; }

© www.soinside.com 2019 - 2024. All rights reserved.