1. ホーム
  2. c++

[解決済み] Windowsレジストリから値を読み取る方法

2023-01-03 09:56:24

質問

あるレジストリ値のキー (例 HKEY_LOCAL_MACHINE_blahblah_foo) が与えられた場合、どのようにすればよいですか。

  1. そのようなキーが存在することを安全に判断します。
  2. プログラム的に (すなわちコードで) その値を取得する。

私はレジストリに何かを書き戻すつもりはまったくありません (可能であれば、私のキャリアの期間中)。したがって、レジストリに誤って書き込んだ場合、私の体内のすべての分子が光速で爆発するという講義は省くことができます。

C++ での回答を希望しますが、ほとんどの場合、値を取得するための特別な Windows API のインカンテーションが何であるかを知る必要があります。

どのように解決するのですか?

以下は取得するための擬似コードです。

  1. レジストリ キーが存在する場合
  2. そのレジストリ キーのデフォルト値は何か
  3. 文字列の値とは
  4. DWORD値とは

コード例です。

ライブラリの依存関係をインクルードします。Advapi32.lib

HKEY hKey;
LONG lRes = RegOpenKeyExW(HKEY_LOCAL_MACHINE, L"SOFTWARE\\Perl", 0, KEY_READ, &hKey);
bool bExistsAndSuccess (lRes == ERROR_SUCCESS);
bool bDoesNotExistsSpecifically (lRes == ERROR_FILE_NOT_FOUND);
std::wstring strValueOfBinDir;
std::wstring strKeyDefaultValue;
GetStringRegKey(hKey, L"BinDir", strValueOfBinDir, L"bad");
GetStringRegKey(hKey, L"", strKeyDefaultValue, L"bad");

LONG GetDWORDRegKey(HKEY hKey, const std::wstring &strValueName, DWORD &nValue, DWORD nDefaultValue)
{
    nValue = nDefaultValue;
    DWORD dwBufferSize(sizeof(DWORD));
    DWORD nResult(0);
    LONG nError = ::RegQueryValueExW(hKey,
        strValueName.c_str(),
        0,
        NULL,
        reinterpret_cast<LPBYTE>(&nResult),
        &dwBufferSize);
    if (ERROR_SUCCESS == nError)
    {
        nValue = nResult;
    }
    return nError;
}


LONG GetBoolRegKey(HKEY hKey, const std::wstring &strValueName, bool &bValue, bool bDefaultValue)
{
    DWORD nDefValue((bDefaultValue) ? 1 : 0);
    DWORD nResult(nDefValue);
    LONG nError = GetDWORDRegKey(hKey, strValueName.c_str(), nResult, nDefValue);
    if (ERROR_SUCCESS == nError)
    {
        bValue = (nResult != 0) ? true : false;
    }
    return nError;
}


LONG GetStringRegKey(HKEY hKey, const std::wstring &strValueName, std::wstring &strValue, const std::wstring &strDefaultValue)
{
    strValue = strDefaultValue;
    WCHAR szBuffer[512];
    DWORD dwBufferSize = sizeof(szBuffer);
    ULONG nError;
    nError = RegQueryValueExW(hKey, strValueName.c_str(), 0, NULL, (LPBYTE)szBuffer, &dwBufferSize);
    if (ERROR_SUCCESS == nError)
    {
        strValue = szBuffer;
    }
    return nError;
}