了解枚举

  • 本文关键字:枚举 了解 c# enums
  • 更新时间 :
  • 英文 :


我试图弄清楚枚举是如何工作的,我试图制作一个函数来写入注册表,使用枚举作为注册表根,但有点混淆

public enum RegistryLocation
        {
            ClassesRoot = Registry.ClassesRoot,
            CurrentUser = Registry.CurrentUser,
            LocalMachine = Registry.LocalMachine,
            Users = Registry.Users,
            CurrentConfig = Registry.CurrentConfig
        }
public void RegistryWrite(RegistryLocation location, string path, string keyname, string value)
{
     // Here I want to do something like this, so it uses the value from the enum
     RegistryKey key;
     key = location.CreateSubKey(path);
     // so that it basically sets Registry.CurrentConfig for example, or am i doing it wrong
     ..
}

问题是,您试图使用类初始化枚举值,并将枚举值用作类,但您无法做到这一点。来自MSDN:

枚举的批准类型有byte、sbyte、short、ushort、int、,uint、long或ulong。

您可以做的是将枚举作为标准枚举,然后让一个方法基于该枚举返回正确的RegistryKey。

例如:

    public enum RegistryLocation
    {
        ClassesRoot,
        CurrentUser,
        LocalMachine,
        Users,
        CurrentConfig
    }
    public RegistryKey GetRegistryLocation(RegistryLocation location)
    {
        switch (location)
        {
            case RegistryLocation.ClassesRoot:
                return Registry.ClassesRoot;
            case RegistryLocation.CurrentUser:
                return Registry.CurrentUser;
            case RegistryLocation.LocalMachine:
                return Registry.LocalMachine;
            case RegistryLocation.Users:
                return Registry.Users;
            case RegistryLocation.CurrentConfig:
                return Registry.CurrentConfig;
            default:
                return null;
        }
    }
    public void RegistryWrite(RegistryLocation location, string path, string keyname, string value) {
         RegistryKey key;
         key = GetRegistryLocation(location).CreateSubKey(path);
    }

最新更新