gpt4 book ai didi

C# 获取枚举值

转载 作者:IT王子 更新时间:2023-10-29 04:10:01 28 4
gpt4 key购买 nike

我有一个包含以下内容的枚举(例如):

  • 英国,
  • 美国,
  • 法国,
  • 葡萄牙

在我的代码中,我使用了 Country.UnitedKingdom,但是如果我将它分配给一个 string,我希望它的值为 UK .

这可能吗?

最佳答案

您不能将枚举值分配给作为开头的字符串。你必须调用ToString() , 这将转换 Country.UnitedKingdom到“联合王国”。

有两种选择:

  • 创建 Dictionary<Country, string>
  • 一个 switch 语句
  • 用一个属性装饰每个值,并用反射加载它

关于他们每个人的评论...

Dictionary<Country,string> 的示例代码

using System;
using System.Collections.Generic;

enum Country
{
UnitedKingdom,
UnitedStates,
France,
Portugal
}

class Test
{
static readonly Dictionary<Country, string> CountryNames =
new Dictionary<Country, string>
{
{ Country.UnitedKingdom, "UK" },
{ Country.UnitedStates, "US" },
};

static string ConvertCountry(Country country)
{
string name;
return (CountryNames.TryGetValue(country, out name))
? name : country.ToString();
}

static void Main()
{
Console.WriteLine(ConvertCountry(Country.UnitedKingdom));
Console.WriteLine(ConvertCountry(Country.UnitedStates));
Console.WriteLine(ConvertCountry(Country.France));
}
}

你可能想把 ConvertCountry 的逻辑放在一起进入扩展方法。例如:

// Put this in a non-nested static class
public static string ToBriefName(this Country country)
{
string name;
return (CountryNames.TryGetValue(country, out name))
? name : country.ToString();
}

然后你可以写:

string x = Country.UnitedKingdom.ToBriefName();

如评论中所述,默认字典比较器将涉及装箱,这是不理想的。对于一次性的,我会接受它,直到我发现它是一个瓶颈。如果我对多个枚举执行此操作,我会编写一个可重用的类。

切换语句

我同意 yshuditelu's answer建议使用 switch陈述相对较少的情况。但是,由于每个案例都将是一个单独的语句,因此我个人会针对这种情况更改我的编码风格,以保持代码紧凑但可读:

public static string ToBriefName(this Country country) 
{
switch (country)
{
case Country.UnitedKingdom: return "UK";
case Country.UnitedStates: return "US";
default: return country.ToString();
}
}

您可以向其中添加更多案例,而不会变得太大,并且很容易将您的目光从枚举值转移到返回值。

DescriptionAttribute

要点Rado made关于 DescriptionAttribute 的代码可重用是一件好事,但在那种情况下,我建议不要在每次需要获取值时都使用反射。我可能会编写一个通用静态类来保存查找表(可能是 Dictionary ,可能带有评论中提到的自定义比较器)。不能在泛型类中定义扩展方法,因此您可能会得到如下内容:

public static class EnumExtensions
{
public static string ToDescription<T>(this T value) where T : struct
{
return DescriptionLookup<T>.GetDescription(value);
}

private static class DescriptionLookup<T> where T : struct
{
static readonly Dictionary<T, string> Descriptions;

static DescriptionLookup()
{
// Initialize Descriptions here, and probably check
// that T is an enum
}

internal static string GetDescription(T value)
{
string description;
return Descriptions.TryGetValue(value, out description)
? description : value.ToString();
}
}
}

关于C# 获取枚举值,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/1008090/

28 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com