Vous pouvez utiliser Réflexion pour faire cela : (à partir de ma bibliothèque - ceci obtient les noms et les valeurs)
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;
}
Cette chose ne fonctionnera pas pour les propriétés avec un index - pour cela (cela devient lourd) :
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[]{});
}
De même, pour obtenir uniquement les propriétés publiques : ( voir MSDN sur l'enum BindingFlags )
/* replace */
PropertyInfo[] props = t.GetProperties();
/* with */
PropertyInfo[] props = t.GetProperties(BindingFlags.Public)
Cela fonctionne aussi pour les types anonymes !
Pour avoir juste les noms :
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();
}
Et c'est à peu près la même chose pour les valeurs, ou vous pouvez les utiliser :
GetDictionaryFromType().Keys
// or
GetDictionaryFromType().Values
Mais c'est un peu plus lent, j'imagine.
0 votes
Ce site pourrait également être utile.