从列表中选择数据并将其显示在列表框C#中
本文关键字:列表 显示 选择 数据 | 更新日期: 2023-09-27 18:28:01
所以,我为员工制作了这个类,现在我需要从列表中进行选择,例如,所有25岁或以上的开发人员,也可以按名称排序,以显示在我创建的listBox中。到目前为止还没有成功,我知道我必须使用Linq,并写一些类似的东西
private void button1_Click(object sender, EventArgs e)
{
var query = Employee.Where(Employee => employee.Age > 25);
}
但它给了我Where的错误,它无法识别语法。此外,我不知道如何选择其他数据。
public class Employee
{
public string Name { get; set; }
public int Age { get; set; }
public string Company { get; set; }
public string Position { get; set; }
public override string ToString()
{
return string.Format("{0} {1}", Name, Age);
}
}
public class Program
{
public static void Main()
{
List<Employee> personList = new List<Employee>()
{
new Employee(){ Name="Steve", Age =23, Position="Developer"},
new Employee(){ Name="Mark", Age =32, Position="Designer"},
new Employee(){ Name="Bill", Age =23, Position="Developer"},
new Employee(){ Name="Nill", Age =25, Position="Analyst"},
new Employee(){ Name="Kevin", Age =28, Position="Analyst"},
new Employee(){ Name="Steve", Age =22, Position="Designer"}
};
}
}
如果你想选择集合中的特定字段,你应该这样写:
personList
.Where(x => x.Age > 25) //This is where your conditions should be
.OrderBy(x => x.Name) //That's how you order your collection
.Select(x => new //And that's the part where you select your fields
{
Text = x.Name,
Age = x.Age
});
基本上,通过这种选择,您可以创建匿名对象。
但要填充选择列表,您应该创建的不是匿名对象,而是特定的枚举,您也可以使用linQ:来完成此操作
personList
.Where(x => x.Age > 25)
.Select(x => new ListItem //note that here you create ListItem
{
Text = x.Name,
Value = x.Age
});