4

我正在构建一个使用反射来构建序列化数据的序列化组件,但是我从枚举属性中得到了奇怪的结果:

enum eDayFlags
{
    Sunday = 1,
    Monday = 2,
    Tuesday = 4,
    Wednesday = 8,
    Thursday = 16,
    Friday = 32,
    Saturday = 64
}

public eDayFlags DayFlags { get; set; }

现在进行真正的测试

Obj Test = new Obj();
Test.DayFlags = eDayFlags.Friday;

序列化的输出是:

DayFlags=星期五

但是如果我在我的变量中设置两个标志:

Obj Test = new Obj();
Test.DayFlags = eDayFlags.Friday;
Test.DayFlags |= eDayFlags.Monday;

序列化的输出是:

DayFlags=34

我在序列化组件中所做的非常简单:

//Loop each property of the object
foreach (var prop in obj.GetType().GetProperties())
{

     //Get the value of the property
     var x = prop.GetValue(obj, null).ToString();

     //Append it to the dictionnary encoded
     if (x == null)
     {
          Properties.Add(HttpUtility.UrlEncode(prop.Name) + "=null");
     }
     else
     {
          Properties.Add(HttpUtility.UrlEncode(prop.Name) + "=" + HttpUtility.UrlEncode(x.ToString()));
     }
}

谁能告诉我如何从 PropertyInfo.GetValue 获取变量的真实值,即使它是一个枚举并且只有一个值?

谢谢

4

2 回答 2

4

得到了真正的价值——它只是转换成一个没有达到你期望的字符串。返回的值prop.GetValue将是装箱的eDayFlags值。

你想要来自枚举的数值吗?将其转换为int. 您可以将枚举值拆箱为其基础类型。

请注意,鉴于它一个标志枚举,您的枚举(可能应该被调用Days)应该应用于它。[Flags]

于 2012-08-14T13:40:35.480 回答
1

这是预期的行为。

您没有Flags在枚举上设置属性,因此.ToString()返回枚举的字符串表示形式作为其基础类型(int默认情况下)。

添加[Flags]将强制您.ToString()返回您的预期值,即"Monday, Friday"


如果您反编译Enum该类,您将在实现中看到如下所示的代码ToString()

//// If [Flags] is NOT present
if (!eT.IsDefined(typeof (FlagsAttribute), false))
//// Then returns the name associated with the value, OR the string rep. of the value
//// if the value has no associated name (which is your actual case)
    return Enum.GetName((Type) eT, value) ?? value.ToString();
else
//// [Flags] defined, so return the list of set flags with
//// a ", " between
    return Enum.InternalFlagsFormat(eT, value);
于 2012-08-14T13:46:38.523 回答