有没有办法在 Qt 中获取磁盘上文件的 MD5 或 SHA-1 校验和/哈希?
例如,我有文件路径,我可能需要验证该文件的内容是否与某个哈希值匹配。
使用 打开文件QFile
,然后调用readAll()
将其内容拉入QByteArray
. 然后用它来QCryptographicHash::hash(const QByteArray& data, Algorithm method)
通话。
在 Qt5 中,您可以使用addData()
:
// Returns empty QByteArray() on failure.
QByteArray fileChecksum(const QString &fileName,
QCryptographicHash::Algorithm hashAlgorithm)
{
QFile f(fileName);
if (f.open(QFile::ReadOnly)) {
QCryptographicHash hash(hashAlgorithm);
if (hash.addData(&f)) {
return hash.result();
}
}
return QByteArray();
}
如果你使用的是 Qt4,你可以试试这个。
QByteArray fileChecksum(const QString &fileName, QCryptographicHash::Algorithm hashAlgorithm)
{
QFile sourceFile(fileName);
qint64 fileSize = sourceFile.size();
const qint64 bufferSize = 10240;
if (sourceFile.open(QIODevice::ReadOnly))
{
char buffer[bufferSize];
int bytesRead;
int readSize = qMin(fileSize, bufferSize);
QCryptographicHash hash(hashAlgorithm);
while (readSize > 0 && (bytesRead = sourceFile.read(buffer, readSize)) > 0)
{
fileSize -= bytesRead;
hash.addData(buffer, bytesRead);
readSize = qMin(fileSize, bufferSize);
}
sourceFile.close();
return QString(hash.result().toHex());
}
return QString();
}
因为
bool QCryptographicHash::addData(QIODevice *device)
从打开的 QIODevice 设备中读取数据,直到结束并对其进行哈希处理。如果读取成功,则返回 true。
此功能是在 Qt 5.0 中引入的。
参考文献:https ://www.qtcentre.org/threads/47635-Calculate-MD5-sum-of-a-big-file