using System.IO;
using System.Security.Cryptography;
using System.Text;
using System.Threading.Tasks;
namespace Masuit.Tools.Files
{
///
/// 大文件操作扩展类
///
public static class FileExt
{
///
/// 以文件流的形式复制大文件
///
/// 源
/// 目标地址
/// 缓冲区大小,默认8MB
public static void CopyToFile(this Stream fs, string dest, int bufferSize = 1024 * 8 * 1024)
{
fs.Seek(0, SeekOrigin.Begin);
using var fsWrite = new FileStream(dest, FileMode.OpenOrCreate, FileAccess.ReadWrite);
var stream = new BufferedStream(fs, bufferSize);
stream.CopyTo(fsWrite);
fs.Seek(0, SeekOrigin.Begin);
}
///
/// 以文件流的形式复制大文件(异步方式)
///
/// 源
/// 目标地址
/// 缓冲区大小,默认8MB
public static Task CopyToFileAsync(this Stream fs, string dest, int bufferSize = 1024 * 1024 * 8)
{
using var fsWrite = new FileStream(dest, FileMode.OpenOrCreate, FileAccess.ReadWrite);
var stream = new BufferedStream(fs, bufferSize);
return stream.CopyToAsync(fsWrite);
}
///
/// 将内存流转储成文件
///
///
///
public static void SaveFile(this Stream ms, string filename)
{
ms.Seek(0, SeekOrigin.Begin);
var dir = Path.GetDirectoryName(filename);
if (!Directory.Exists(dir))
{
Directory.CreateDirectory(dir);
}
using var fs = new FileStream(filename, FileMode.Create, FileAccess.Write);
var stream = new BufferedStream(ms, 1048576);
stream.CopyTo(fs);
ms.Seek(0, SeekOrigin.Begin);
}
///
/// 将内存流转储成文件
///
///
///
public static async Task SaveFileAsync(this Stream ms, string filename)
{
ms.Seek(0, SeekOrigin.Begin);
var dir = Path.GetDirectoryName(filename);
if (!Directory.Exists(dir))
{
Directory.CreateDirectory(dir);
}
using var fs = new FileStream(filename, FileMode.Create, FileAccess.Write);
var stream = new BufferedStream(ms, 1048576);
await stream.CopyToAsync(fs);
ms.Seek(0, SeekOrigin.Begin);
}
///
/// 计算文件的 MD5 值
///
/// 源文件流
/// MD5 值16进制字符串
public static string GetFileMD5(this FileStream fs) => HashFile(fs);
///
/// 计算文件的 sha1 值
///
/// 源文件流
/// sha1 值16进制字符串
public static string GetFileSha1(this Stream fs) => HashFile(fs, nameof(SHA1));
///
/// 计算文件的 sha256 值
///
/// 源文件流
/// sha256 值16进制字符串
public static string GetFileSha256(this Stream fs) => HashFile(fs, nameof(SHA256));
///
/// 计算文件的 sha512 值
///
/// 源文件流
/// sha512 值16进制字符串
public static string GetFileSha512(this Stream fs) => HashFile(fs, nameof(SHA512));
///
/// 计算文件的哈希值
///
/// 被操作的源数据流
/// 加密算法
/// 哈希值16进制字符串
private static string HashFile(Stream fs, string algo = nameof(MD5))
{
fs.Seek(0, SeekOrigin.Begin);
using HashAlgorithm crypto = algo switch
{
nameof(SHA1) => SHA1.Create(),
nameof(SHA256) => SHA256.Create(),
nameof(SHA512) => SHA512.Create(),
_ => MD5.Create(),
};
var stream = new BufferedStream(fs, 1048576);
byte[] hash = crypto.ComputeHash(stream);
var sb = new StringBuilder();
foreach (var t in hash)
{
sb.Append(t.ToString("x2"));
}
fs.Seek(0, SeekOrigin.Begin);
return sb.ToString();
}
}
}