我有一个学生班,结构如下:
public sealed class Student
{
public string Name {get;set;}
public string RollNo {get;set;}
public string standard {get;set;}
public bool IsScholarshipped {get;set;}
public List<string> MobNumber {get;set;}
}
我怎样才能获得这些属性 学生 像
这样的数组中的类 arr[0]=Name;
arr[1]=RollNo;
.
.
.
arr[4]=MobNumber
这些属性的类型在单独的数组中,如
arr2[0]=string;
arr2[1]=string;
.
.
.
arr2[4]=List<string> or IEnumerable
请用大块代码解释一下。
答案 0 :(得分:7)
var type = model.GetType();
var properties = type.GetProperties(BindingFlags.Public | BindingFlags.Instance);
这会给你一个PropertyInfo
的数组。然后,您可以执行此操作以获取名称:
properties.Select(x => x.Name).ToArray();
答案 1 :(得分:5)
您可以使用反射:
foreach (PropertyInfo prop in typeof(Student).GetProperties(BindingFlags.Public | BindingFlags.Instance))
{
'''
}
答案 2 :(得分:3)
您可以在GetProperty
的结果上使用LINQ,如下所示:
var props = typeof(Student).GetProperties();
var names = props
.Select(p => p.Name)
.ToArray();
var types = props
.Select(p => p.PropertyType)
.ToArray();
for (int i = 0 ; i != names.Length ; i++) {
Console.WriteLine("{0} {1}", names[i], types[i]);
}
以下是打印的内容:
Name System.String
RollNo System.String
standard System.String
IsScholarshipped System.Boolean
MobNumber System.Collections.Generic.List`1[System.String]
答案 3 :(得分:0)
为此可以使用operator []重载。可以使用PropertyInfo映射属性。
public sealed class Student
{
public string Name { get; set; }
public string RollNo { get; set; }
public string Standard { get; set; }
public bool IsScholarshipped { get; set; }
public List<string> MobNumber { get; set; }
public object this[int index]
{
get
{
// Note: This may cause IndexOutOfRangeException!
var propertyInfo = this.GetType().GetProperties()[index];
return propertyInfo != null ? propertyInfo.GetValue(this, null) : null;
}
}
public object this[string key]
{
get
{
var propertyInfo = this.GetType().GetProperties().First(x => x.Name == key);
return propertyInfo != null ? propertyInfo.GetValue(this, null) : null;
}
}
}
然后你可以这样使用这个类:
var student = new Student { Name = "Doe, John", RollNo = "1", IsScholarshipped = false, MobNumber = new List<string>(new[] { "07011223344" }) };
var nameByIndex = student[0] as string;
var nameByKey = student["Name"] as string;
在msdn了解有关[]运算符的详情。
请注意,以这种方式按索引访问属性很容易出错,因为属性的顺序很容易在没有任何控制的情况下发生变化。