有没有办法做类似的事情:
public class Test { public int num; public string name;}
public enum MyEnum
{
Foo = new Test(){ num = 1, name = "hi" },
Bar = new Test() { num = 2, name = "Cool" },
}
所以我可以做类似的事情:
string s = MyEnum.Foo.name;
int i = MyEnum.Bar.num;
基本上,我有很多项目,我觉得不需要他们自己的课程。我喜欢能够直接从枚举中引用类型。 (我可以列举)
*****编辑:*****
尽管有很多人说这是不可能的,但我能够获得所需的功能(见下面的选定答案)
答案 0 :(得分:3)
可以通过使用Attributes和Extension方法获得所需的功能。 首先创建一个属性:
[AttributeUsage(System.AttributeTargets.All, AllowMultiple = false)]
public sealed class TestAttribute : Attribute
{
public TestAttribute(int num, string name)
{
Num = num;
Name = name;
}
public int Num { get; private set; }
public string Name { get; private set; }
}
然后注释" advanced"枚举类型:
public enum MyEnum
{
[Test(1, "hi")]
Foo,
[Test(2, "cool")]
Bar,
}
然后为Advanced Enum创建Extensions:
public static class TestExtensions
{
public static int Num(this MyEnum val)
{
int n = 0;
FieldInfo fi = val.GetType().GetField(val.ToString());
TestAttribute[] attrs =
fi.GetCustomAttributes(typeof(TestAttribute),
false) as TestAttribute[];
if (attrs.Length > 0)
{
n = attrs[0].Num;
}
return n;
}
public static string Name(this MyEnum val)
{
string n = "";
FieldInfo fi = val.GetType().GetField(val.ToString());
TestAttribute[] attrs =
fi.GetCustomAttributes(typeof(TestAttribute),
false) as TestAttribute[];
if (attrs.Length > 0)
{
n = attrs[0].Name;
}
return n;
}
public static string Title(this MyEnum val)
{
return Enum.GetName(val.GetType(), val);
}
}
然后使用枚举:
public class Program
{
static void Main(string[] args)
{
Console.WriteLine(MyEnum.Bar.Name());
foreach(MyEnum e in Enum.GetValues(typeof(MyEnum)))
{
EnumTest(e);
}
}
public static void EnumTest(MyEnum e)
{
Console.WriteLine(
String.Format("{0}'s name={1}: num={2}", e.Title(), e.Name(), e.Num()));
}
}
答案 1 :(得分:2)
你不能这样做,因为C#中的enum
是基本整数之上的一个瘦抽象。但是,您可以使用“枚举模式”,这实际上是Java实现枚举的方式:
public sealed class MyTestEnum
{
public int Num { get; private set; }
public string Name { get; private set; }
private MyTestEnum(int num, string name)
{
Num = num;
Name = name;
}
public static readonly Foo = new MyTestEnum(1, "hi");
public static readonly Bar = new MyTestEnum(2, "cool");
}
请注意,私有构造函数确保该类的唯一实例是您在类定义本身中创建的static readonly
实例。这也可以安全地将枚举类的实例与==
进行比较,而无需实现operator==
或Equals()
。但请注意,MyTestEnum
变量可能是null
,而不是常规枚举变量。
答案 2 :(得分:0)
如果您坚持使用枚举,则可以在定义中指定基础枚举类型:
public enum MyEnum :int
{
hi =1,
Cool =2
}
public class test
{
public void hello()
{
var e = MyEnum.Cool;
var intValue = (int)e;
var stringValue = e.ToString();
}
}