Select Multiple Fields from List in Linq
在ASP.NET C中,我有一个结构:
1 2 3 4 5 6 7 | public struct Data { public int item1; public int item2; public int category_id; public string category_name; } |
我有一张清单。我想选择
我现在有:
1 2 3 4 5 6 | List<Data> listObject = getData(); string[] catNames = listObject .Select(i=> i.category_name) .Distinct() .OrderByDescending(s => s) .ToArray(); |
这显然只是得到了类别名称。我的问题是,如何获取多个字段,以及将它存储在什么数据结构中(不是
编辑
使用结构列表不是一成不变的。如果改变我的支持数据结构以使选择更容易(我会写很多这样的内容),那么我很乐意接受建议。
匿名类型允许您将任意字段选择到稍后在代码中强类型化的数据结构中:
1 2 3 4 5 | var cats = listObject .Select(i => new { i.category_id, i.category_name }) .Distinct() .OrderByDescending(i => i.category_name) .ToArray(); |
由于您(显然)需要存储它以供以后使用,因此可以使用groupby运算符:
1 2 3 4 5 | Data[] cats = listObject .GroupBy(i => new { i.category_id, i.category_name }) .OrderByDescending(g => g.Key.category_name) .Select(g => g.First()) .ToArray(); |
1 2 3 4 5 6 7 8 9 | var selectedCategories = from value in (from data in listObject orderby data.category_name descending select new { ID = data.category_id, Name = data.category_name }) group value by value.Name into g select g.First(); foreach (var category in selectedCategories) Console.WriteLine(category); |
编辑:让它更具活力!
可以使用匿名类型:
1 |
编译器将为具有
1 |
您可以拥有任意数量的属性。
这是匿名类型非常适合的任务。您可以返回由编译器自动创建的类型的对象(根据用法推断)。
语法如下:
1 |
对于您的案例,请尝试以下操作:
1 2 3 4 | var listObject = getData(); var catNames = listObject.Select(i => new { CatName = i.category_name, Item1 = i.item1, Item2 = i.item2 }) .Distinct().OrderByDescending(s => s).ToArray(); |
1 |
这使用匿名类型,因此必须使用var关键字,因为表达式的结果类型事先未知。
您可以将其设置为keyValuePair,这样它将返回一个
所以,会是这样的:
1 |
1 2 3 4 | (from i in list select new { i.category_id, i.category_name }) .Distinct() .OrderBy(i => i.category_name); |
您可以使用LinqSelect选择多个字段,如上面的各种示例所示,这将作为匿名类型返回。如果你想避免这种匿名类型,这里有一个简单的技巧。
1 | var items = listObject.Select(f => new List<int>() { f.Item1, f.Item2 }).SelectMany(item => item).Distinct(); |
我想这能解决你的问题
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 | public class Student { public string Name { set; get; } public int ID { set; get; } } class Program { static void Main(string[] args) { Student[] students = { new Student { Name="zoyeb" , ID=1}, new Student { Name="Siddiq" , ID=2}, new Student { Name="sam" , ID=3}, new Student { Name="james" , ID=4}, new Student { Name="sonia" , ID=5} }; var studentCollection = from s in students select new { s.ID , s.Name}; foreach (var student in studentCollection) { Console.WriteLine(student.Name); Console.WriteLine(student.ID); } } } |