如何通过 C# 获取未标记的卷驱动器总大小

本文关键字:驱动器 何通过 获取 | 更新日期: 2023-09-27 17:56:51

我正在使用C#来调查Windows驱动器。

如何使用RAW分区获取卷的大小?

如何通过 C# 获取未标记的卷驱动器总大小

首先要有一些东西来表示一个体积:

public class Volume
{
    public Volume(string path)
    {
        Path = path;
        ulong freeBytesAvail, totalBytes, totalFreeBytes;
        if (GetDiskFreeSpaceEx(path, out freeBytesAvail, out totalBytes, out totalFreeBytes))
        {
            FreeBytesAvailable = freeBytesAvail;
            TotalNumberOfBytes = totalBytes;
            TotalNumberOfFreeBytes = totalFreeBytes;
        }
    }
    public string Path { get; private set; }
    public ulong FreeBytesAvailable { get; private set; }
    public ulong TotalNumberOfBytes { get; private set; }     
    public ulong TotalNumberOfFreeBytes { get; private set; }
    [DllImport("kernel32.dll", SetLastError = true)]
    static extern bool GetDiskFreeSpaceEx([MarshalAs(UnmanagedType.LPStr)]string volumeName, out ulong freeBytesAvail,
        out ulong totalBytes, out ulong totalFreeBytes);
}

接下来有一个简单的卷枚举器:

public class VolumeEnumerator : IEnumerable<Volume>
{
    public IEnumerator<Volume> GetEnumerator()
    {
        StringBuilder sb = new StringBuilder(2048);
        IntPtr volumeHandle = FindFirstVolume(sb, (uint)sb.MaxCapacity);
        {
            if (volumeHandle == IntPtr.Zero)
                yield break;
            else
            {
                do
                {
                    yield return new Volume(sb.ToString());
                    sb.Clear();
                }
                while (FindNextVolume(volumeHandle, sb, (uint)sb.MaxCapacity));
                FindVolumeClose(volumeHandle);
            }
        }
    }
    System.Collections.IEnumerator System.Collections.IEnumerable.GetEnumerator()
    {
        return GetEnumerator();
    }
    [DllImport("kernel32.dll", SetLastError = true)]
    static extern IntPtr FindFirstVolume([Out] StringBuilder lpszVolumeName,
       uint cchBufferLength);
    [DllImport("kernel32.dll", SetLastError = true)]
    static extern bool FindNextVolume(IntPtr hFindVolume, [Out] StringBuilder lpszVolumeName, uint cchBufferLength);
    [DllImport("kernel32.dll", SetLastError = true)]
    static extern bool FindVolumeClose(IntPtr hFindVolume);
}

最后是使用它的示例代码:

foreach (Volume v in new VolumeEnumerator())
{
    Console.WriteLine("{0}, Free bytes available {1} Total Bytes {2}", v.Path,
        v.FreeBytesAvailable, v.TotalNumberOfBytes);
}

这一切都是从将 P/Invokes 构建到卷管理 API 中。如果这不是您想要的,您可能会在那里找到特定信息。