C# 如何操作 Windows 注册表_C# Windows 注册表操作指南
答案:C#通过Registry和RegistryKey类操作注册表,支持读写删及权限处理。使用Registry.CurrentUser等访问根键,OpenSubKey读取值,CreateSubKey与SetValue写入数据,DeleteValue或DeleteSubKeyTree删除项,需注意权限异常并用try-catch和using语句确保安全。

在 C# 中操作 Windows 注册表,主要通过 .NET Framework 提供的 Microsoft.Win32.Registry 和 Microsoft.Win32.RegistryKey 类来实现。这些类封装了对注册表的读取、写入、创建和删除等操作,使用起来非常方便。
访问注册表根键
Windows 注册表有几个顶层的“根键”,C# 中用枚举表示。常用的包括:
- Registry.CurrentUser:当前用户的配置(HKEY_CURRENT_USER)
- Registry.LocalMachine:本地计算机的配置(HKEY_LOCAL_MACHINE)
- Registry.ClassesRoot:文件类型关联信息(HKEY_CLASSES_ROOT)
- Registry.Users:所有用户配置(HKEY_USERS)
- Registry.CurrentConfig:当前硬件配置(HKEY_CURRENT_CONFIG)
这些是静态属性,可直接调用。
读取注册表项的值
使用 RegistryKey.OpenSubKey() 打开一个子键,然后调用 GetValue() 获取值。
using Microsoft.Win32;
<p>// 打开 CurrentUser 下的某个路径
using (RegistryKey key = Registry.CurrentUser.OpenSubKey(@"Software\Microsoft\Windows\CurrentVersion\Run"))
{
if (key != null)
{
object value = key.GetValue("MyApp");
if (value != null)
{
Console.WriteLine("启动项值: " + value.ToString());
}
else
{
Console.WriteLine("未找到该值");
}
}
}</p>注意:OpenSubKey 第二个参数默认为 false(只读),如需写入需设为 true。
写入或修改注册表项
使用 CreateSubKey() 创建或打开一个子键,再用 SetValue() 写入数据。
Veed AI Voice Generator
Veed推出的AI语音生成器
119
查看详情
using (RegistryKey key = Registry.CurrentUser.CreateSubKey(@"Software\MyCompany\MyApp"))
{
key.SetValue("InstallPath", @"C:\MyApp");
key.SetValue("Version", "1.0.0");
key.SetValue("AutoStart", 1, RegistryValueKind.DWord); // 指定类型
}
Console.WriteLine("注册表写入成功");
SetValue 支持多种数据类型,例如字符串(REG_SZ)、DWORD(32位整数)、QWORD(64位)、多字符串(REG_MULTI_SZ)等。通过 RegistryValueKind 可指定值的类型。
删除注册表项或值
可以删除某个值,也可以删除整个子键。
- 删除某个值:DeleteValue("值名")
- 删除整个子键:
DeleteSubKey("子键名") 或 DeleteSubKeyTree("子键名")(递归删除)
using (RegistryKey key = Registry.CurrentUser.CreateSubKey(@"Software\MyCompany"))
{
key.DeleteValue("OldSetting", false); // false 表示值不存在也不报错
}
<p>// 删除整个子树
Registry.CurrentUser.DeleteSubKeyTree(@"Software\MyCompany\MyApp", false);</p>权限与异常处理
操作注册表可能因权限不足而失败,尤其是在写入 LocalMachine 时。建议程序以管理员身份运行,并使用 try-catch 包裹关键操作。
try
{
using (RegistryKey key = Registry.LocalMachine.CreateSubKey(@"SOFTWARE\MyApp"))
{
if (key == null)
throw new Exception("无法创建注册表键,权限不足");
<pre class='brush:php;toolbar:false;'> key.SetValue("Test", "Hello");
}} catch (UnauthorizedAccessException ex) { Console.WriteLine("权限不足:" + ex.Message); } catch (Exception ex) { Console.WriteLine("其他错误:" + ex.Message); }
基本上就这些。只要注意权限问题和正确释放资源(using 语句),C# 操作注册表是安全且高效的。实际开发中建议避免随意修改系统关键项,防止影响系统稳定性。
以上就是C# 如何操作 Windows 注册表_C# Windows 注册表操作指南的详细内容,更多请关注其它相关文章!

DeleteSubKey("子键名") 或 DeleteSubKeyTree("子键名")(递归删除)