Відповіді:
Рефлексія; наприклад:
obj.GetType().GetProperties();
для типу:
typeof(Foo).GetProperties();
наприклад:
class Foo {
public int A {get;set;}
public string B {get;set;}
}
...
Foo foo = new Foo {A = 1, B = "abc"};
foreach(var prop in foo.GetType().GetProperties()) {
Console.WriteLine("{0}={1}", prop.Name, prop.GetValue(foo, null));
}
Наступні відгуки ...
null
як перший аргументGetValue
GetProperties(BindingFlags.Public | BindingFlags.NonPublic | BindingFlags.Instance)
(який повертає всі властивості публічного / приватного примірника).internal
властивості. Можливо, я єдиний, хто повісив на private
/ non-public
синтаксис?
using System.Reflection
директиву та System.Reflection.TypeExtensions
пакет - це забезпечує відсутність поверхні API методами розширення
Ви можете використовувати Reflection для цього: (з моєї бібліотеки - це отримує імена та значення)
public static Dictionary<string, object> DictionaryFromType(object atype)
{
if (atype == null) return new Dictionary<string, object>();
Type t = atype.GetType();
PropertyInfo[] props = t.GetProperties();
Dictionary<string, object> dict = new Dictionary<string, object>();
foreach (PropertyInfo prp in props)
{
object value = prp.GetValue(atype, new object[]{});
dict.Add(prp.Name, value);
}
return dict;
}
Ця річ не працюватиме для властивостей з індексом - для цього (стає непростим):
public static Dictionary<string, object> DictionaryFromType(object atype,
Dictionary<string, object[]> indexers)
{
/* replace GetValue() call above with: */
object value = prp.GetValue(atype, ((indexers.ContainsKey(prp.Name)?indexers[prp.Name]:new string[]{});
}
Крім того, щоб отримати лише загальнодоступні властивості: ( див. MSDN про перегляд BindingFlags )
/* replace */
PropertyInfo[] props = t.GetProperties();
/* with */
PropertyInfo[] props = t.GetProperties(BindingFlags.Public)
Це працює і на анонімних типах!
Щоб просто отримати імена:
public static string[] PropertiesFromType(object atype)
{
if (atype == null) return new string[] {};
Type t = atype.GetType();
PropertyInfo[] props = t.GetProperties();
List<string> propNames = new List<string>();
foreach (PropertyInfo prp in props)
{
propNames.Add(prp.Name);
}
return propNames.ToArray();
}
І це приблизно те саме для значень, або ви можете використовувати:
GetDictionaryFromType().Keys
// or
GetDictionaryFromType().Values
Але це трохи повільніше, я б міг уявити.
t.GetProperties(BindingFlags.Instance | BindingFlags.Public)
абоt.GetProperties(BindingFlags.Static | BindingFlags.Public)
public List<string> GetPropertiesNameOfClass(object pObject)
{
List<string> propertyList = new List<string>();
if (pObject != null)
{
foreach (var prop in pObject.GetType().GetProperties())
{
propertyList.Add(prop.Name);
}
}
return propertyList;
}
Ця функція призначена для отримання списку властивостей класу.
yield return
. Це не велика справа, але це кращий спосіб зробити це.
Ви можете використовувати System.Reflection
простір імен з Type.GetProperties()
mehod:
PropertyInfo[] propertyInfos;
propertyInfos = typeof(MyClass).GetProperties(BindingFlags.Public|BindingFlags.Static);
Це моє рішення
public class MyObject
{
public string value1 { get; set; }
public string value2 { get; set; }
public PropertyInfo[] GetProperties()
{
try
{
return this.GetType().GetProperties();
}
catch (Exception ex)
{
throw ex;
}
}
public PropertyInfo GetByParameterName(string ParameterName)
{
try
{
return this.GetType().GetProperties().FirstOrDefault(x => x.Name == ParameterName);
}
catch (Exception ex)
{
throw ex;
}
}
public static MyObject SetValue(MyObject obj, string parameterName,object parameterValue)
{
try
{
obj.GetType().GetProperties().FirstOrDefault(x => x.Name == parameterName).SetValue(obj, parameterValue);
return obj;
}
catch (Exception ex)
{
throw ex;
}
}
}
Я також стикаюся з такою вимогою.
З цього обговорення я отримав ще одну ідею,
Obj.GetType().GetProperties()[0].Name
Це також відображає назву властивості.
Obj.GetType().GetProperties().Count();
це показує кількість властивостей.
Дякую всім. Це приємна дискусія.
Ось вдосконалена відповідь @lucasjones. Я включив удосконалення, згадані в розділі коментарів після його відповіді. Сподіваюся, хтось знайде це корисним.
public static string[] GetTypePropertyNames(object classObject, BindingFlags bindingFlags)
{
if (classObject == null)
{
throw new ArgumentNullException(nameof(classObject));
}
var type = classObject.GetType();
var propertyInfos = type.GetProperties(bindingFlags);
return propertyInfos.Select(propertyInfo => propertyInfo.Name).ToArray();
}