45

私はこのようなクラスを持っています:

public class tbl050701_1391_Fields
{
    public static readonly string StateName = "State Name";
    public static readonly string StateCode = "State Code";
    public static readonly string AreaName = "Area Name";
    public static readonly string AreaCode = "Area Code";
    public static readonly string Dore = "Period";
    public static readonly string Year = "Year";
}

Dictionary<string, string>これらの値を持つa を返すステートメントを書きたいと思います。

Key                            Value
--------------------------------------------
"StateName"                    "State Name"
"StateCode"                    "State Code"
"AreaName"                     "Area Name"
"Dore"                         "Period"
"Year"                         "Year"

1 つのプロパティ値を取得するための次のコードがあります。

public static string GetValueUsingReflection(object obj, string propertyName)
{
    var field = obj.GetType().GetField(propertyName, BindingFlags.Public | BindingFlags.Static);
    var fieldValue = field != null ? (string)field.GetValue(null) : string.Empty;
    return fieldValue;
}

すべてのプロパティとその値を取得するにはどうすればよいですか?

4

1 に答える 1

91

すべてのプロパティとその値を取得するにはどうすればよいですか?

まず、フィールドプロパティを区別する必要があります。ここにフィールドがあるようです。したがって、次のようなものが必要です。

public static Dictionary<string, string> GetFieldValues(object obj)
{
    return obj.GetType()
              .GetFields(BindingFlags.Public | BindingFlags.Static)
              .Where(f => f.FieldType == typeof(string))
              .ToDictionary(f => f.Name,
                            f => (string) f.GetValue(null));
}

注: フィールドは静的であり、クラスのインスタンスに属していないため、GetValue が機能するには null パラメータが必要です。

于 2012-09-18T10:16:32.110 に答える