Enumerating through an object's properties (string) in C#

后端 未结 5 1012
别那么骄傲
别那么骄傲 2020-11-29 01:12

Let\'s say I have many objects and they have many string properties.

Is there a programatic way to go through them and output the propertyname and its value or does

5条回答
  •  猫巷女王i
    2020-11-29 01:47

    You can get all the properties of a type by using the GetProperties method. You can then filter this list using the LINQ Where extension method. Finally you can project the properties using the LINQ Select extension method or a convenient shortcut like ToDictionary.

    If you want to limit the enumeration to properties having of type String you can use this code:

    IDictionary dictionary = myObject.GetType()
      .GetProperties()
      .Where(p => p.CanRead && p.PropertyType == typeof(String))
      .ToDictionary(p => p.Name, p => (String) p.GetValue(myObject, null));
    

    This will create a dictionary that maps property names to property values. As the property type is limited to String it is safe to cast the property value to String and the type of the returned type is IDictionary.

    If you instead want all properties you can do it like this:

    IDictionary dictionary = myObject.GetType()
      .GetProperties()
      .Where(p => p.CanRead)
      .ToDictionary(p => p.Name, p => p.GetValue(myObject, null));
    

提交回复
热议问题