将注册表写入hkey_current_user而不是hkey_users
本文关键字:hkey users user current 注册表 | 更新日期: 2023-09-27 18:04:56
我试着写一个注册表子键和它对应的值到注册表,像这样:
Microsoft.Win32.RegistryKey mykey;
mykey = Microsoft.Win32.Registry.CurrentUser.CreateSubKey("Software''Microsoft''Windows''Muhil Software");
mykey.SetValue("Muhil", "TEST");
mykey.close();
可以看到,我用CurrentUser
将值写入HKEY_CURRENT_USER
, HKEY_CURRENT_USER
中没有任何内容。然后我检查了HKEY_USERS
中的子键,发现键是写在那里的。
您的安装程序不是在登录用户会话下运行,而是在本地系统会话下运行。这就解释了为什么HKCU
指向另一个注册表单元。
为了打开登录用户的注册表项,您需要打开此注册表项HKU/<LOGGED_ON_USER_SID>
。由于Windows会话API,您可以获得此SID(安全标识符)。
您可以使用Microsoft.Win32.Registry.Users
而不是Microsoft.Win32.Registry.CurrentUser
,并且由于用户SID而打开正确的用户密钥。
你可以在stackoverflow上找到几个关于如何获得当前登录的SID的主题,例如如何获得当前用户登录会话的唯一ID - c#
UPDATE:一个能够获得登录用户SID字符串的示例代码,它只在系统会话中工作,因为它需要特殊权限SE_TCB_NAME
。为了简单,没有错误处理
static void Main(string[] args)
{
Microsoft.Win32.RegistryKey mykey;
mykey = Microsoft.Win32.Registry.Users.CreateSubKey(GetLoggedOnUserSID() + "''Software''Microsoft''Windows''Muhil Software");
mykey.SetValue("Muhil", "TEST");
mykey.Close();
}
enum TokenInformationClass
{
TokenOwner = 4,
}
struct TokenOwner
{
public IntPtr Owner;
}
[DllImport("advapi32.dll", EntryPoint = "GetTokenInformation", SetLastError = true)]
static extern bool GetTokenInformation(
IntPtr tokenHandle,
TokenInformationClass tokenInformationClass,
IntPtr tokenInformation,
int tokenInformationLength,
out int ReturnLength);
[DllImport("kernel32.dll")]
private static extern UInt32 WTSGetActiveConsoleSessionId();
[DllImport("wtsapi32.dll", SetLastError = true)]
static extern bool WTSQueryUserToken(UInt32 sessionId, out IntPtr Token);
[DllImport("advapi32.dll", CharSet = CharSet.Auto, SetLastError = true)]
internal static extern bool ConvertSidToStringSid(IntPtr sid, [In, Out, MarshalAs(UnmanagedType.LPTStr)] ref string pStringSid);
static string GetLoggedOnUserSID()
{
IntPtr tokenOwnerPtr;
int tokenSize;
IntPtr hToken;
// Get a token from the logged on session
// !!! this line will only work within the SYSTEM session !!!
WTSQueryUserToken(WTSGetActiveConsoleSessionId(), out hToken);
// Get the size required to host a SID
GetTokenInformation(hToken, TokenInformationClass.TokenOwner, IntPtr.Zero, 0, out tokenSize);
tokenOwnerPtr = Marshal.AllocHGlobal(tokenSize);
// Get the SID structure within the TokenOwner class
GetTokenInformation(hToken, TokenInformationClass.TokenOwner, tokenOwnerPtr, tokenSize, out tokenSize);
TokenOwner tokenOwner = (TokenOwner)Marshal.PtrToStructure(tokenOwnerPtr, typeof(TokenOwner));
// Convert the SID into a string
string strSID = "";
ConvertSidToStringSid(tokenOwner.Owner, ref strSID);
Marshal.FreeHGlobal(tokenOwnerPtr);
return strSID;
}