出于我的目的,我只需要通过 DOS 路径了解驱动器的 BitLocker 加密状态。像这样的东西:

enum DriveEncryptionStatus{
    Unprotected,
    Protected,
    Unknown
};

DriveEncryptionStatus = GetDriveBitlockerEncryptionStatus(L"C:\\");

我能够找到 Win32_EncryptableVolume 类,不幸的是,这个警告伴随着:



知道如何在不以管理员身份运行的情况下执行此操作吗?

最佳答案

BitLocker 状态可供 shell 中的任何普通用户使用。 Windows 使用 Win32 API 中的 Windows Property System 获取状态以检查未记录的 shell 属性 System.Volume.BitLockerProtection 。您的程序还可以在没有提升的情况下检查此属性。

如果此属性的值为 1、3 或 5,则在驱动器上启用了 BitLocker。任何其他值都被视为关闭。

您可以使用 Win32 API 来检查此 shell 属性。出于礼貌,我已经从 my other answer to a similar question. 移植了我的托管实现

#include <shlobj.h>
#pragma comment(lib, "shell32.lib")
#pragma comment(lib, "propsys.lib")

DriveEncryptionStatus getDriveEncryptionStatus(LPCWSTR parsingName)
{
    IShellItem2 *drive = NULL;
    HRESULT hr = CoInitializeEx(NULL, COINIT_APARTMENTTHREADED | COINIT_DISABLE_OLE1DDE);
    hr = SHCreateItemFromParsingName(parsingName, NULL, IID_PPV_ARGS(&drive));
    if (SUCCEEDED(hr)) {
        PROPERTYKEY pKey;
        hr = PSGetPropertyKeyFromName(L"System.Volume.BitLockerProtection", &pKey);
        if (SUCCEEDED(hr)) {
            PROPVARIANT prop;
            PropVariantInit(&prop);
            hr = drive->GetProperty(pKey, &prop);
            if (SUCCEEDED(hr)) {
                int status = prop.intVal;

                drive->Release();

                if (status == 1 || status == 3 || status == 5)
                    return DriveEncryptionStatus::Protected;
                else
                    return DriveEncryptionStatus::Unprotected;
            }
        }
    }

    if (drive)
        drive->Release();

    return DriveEncryptionStatus::Unknown;
}

int main()
{
    DriveEncryptionStatus status = getDriveEncryptionStatus(L"C:");
    return 0;
}

关于c++ - 如何在没有管理员权限的情况下判断驱动器是否已加密 BitLocker?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23841973/

10-09 04:25