C#枚举类型,设置对应的中文描述,并且获取其值对应的描述,更新Extension扩展方法

C#的枚举类型,提供了Description,让你更好的直接这个枚举所代表的意义。

需要引用,using System.ComponentModel;

    public enum EnumStock
    {
        [Description("正常入库")]
        ZCRK = 101,
        [Description("销售退货")]
        XSTH = 102
    }

有的时候,会遇到,给你101,你需要将101转换成 正常入库,这个时候,就需要自己扩展枚举类型。

首先插入如下代码:

    public class EnumHelper
    {
        public static string GetDescription(Enum obj)
        {
            string objName = obj.ToString();
            Type t = obj.GetType();
            System.Reflection.FieldInfo fi = t.GetField(objName);
            System.ComponentModel.DescriptionAttribute[] arrDesc = (System.ComponentModel.DescriptionAttribute[])fi.GetCustomAttributes(typeof(System.ComponentModel.DescriptionAttribute), false);

            return arrDesc[0].Description;
        }
        public static void GetEnum(string a, ref T t)
        {
            foreach (T b in Enum.GetValues(typeof(T)))
            {
                if (GetDescription(b as Enum) == a)
                    t = b;
            }
        }
    }

调用转换,这样就能做转换,将101转换成对应的正常入库

EnumStock type = (EnumStock)Enum.Parse(typeof(EnumStock), “101”);
string typeName = EnumHelper.GetDescription(type);

这样调用较为复杂,可以用Extension扩展方法来进行拓展。

对类进行如下修改,静态类

 public static class EnumHelper
    {
        public static string GetDescription(this Enum obj)
        {
            string objName = obj.ToString();
            Type t = obj.GetType();
            System.Reflection.FieldInfo fi = t.GetField(objName);
            System.ComponentModel.DescriptionAttribute[] arrDesc = (System.ComponentModel.DescriptionAttribute[])fi.GetCustomAttributes(typeof(System.ComponentModel.DescriptionAttribute), false);
            return arrDesc[0].Description;
        }
        public static void GetEnum(string a, ref T t)
        {
            foreach (T b in Enum.GetValues(typeof(T)))
            {
                if (GetDescription(b as Enum) == a)
                    t = b;
            }
        }
    }

修改后直接.就会有代码提示,非常的方便

     EnumSumBurnType type = (EnumSumBurnType)Enum.Parse(typeof(EnumSumBurnType), dr["type"].TryParseToString());
     type.GetDescription();

 

你可能感兴趣的:(C#,.net)