在 List> 上使用 FindAll类型
假设
public class MyClass
{
public int ID {get; set; }
public string Name {get; set; }
}
我
List<MyClass> classList = //populate with MyClass instances of various IDs
能做到
List<MyClass> result = classList.FindAll(class => class.ID == 123);
,这会给我一个 ID = 123 的类列表。效果很好,看起来很优雅。
现在,如果我有
List<List<MyClass>> listOfClassLists = //populate with Lists of MyClass instances
如何获得过滤列表,其中列表本身已被过滤。我尝试过
List<List<MyClass>> result = listOfClassLists.FindAll
(list => list.FindAll(class => class.ID == 123).Count > 0);
它看起来很优雅,但不起作用。它仅包含类列表,其中至少有一个类的 ID 为 123,但它包含该列表中的所有 MyClass 实例,而不仅仅是匹配的实例。
我最终不得不做
List<List<MyClass>> result = Results(listOfClassLists, 123);
private List<List<MyClass>> Results(List<List<MyClass>> myListOfLists, int id)
{
List<List<MyClass>> results = new List<List<MyClass>>();
foreach (List<MyClass> myClassList in myListOfLists)
{
List<MyClass> subList = myClassList.FindAll(myClass => myClass.ID == id);
if (subList.Count > 0)
results.Add(subList);
}
return results;
}
这件事来完成工作,但不是那么优雅。只是寻找更好的方法在列表列表上执行 FindAll。
肯
如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。
绑定邮箱获取回复消息
由于您还没有绑定你的真实邮箱,如果其他用户或者作者回复了您的评论,将不能在第一时间通知您!
发布评论
评论(4)
listOfClasses.SelectMany(x=>x).FindAll( /* yadda */)抱歉,FindAll 是 List 的一种方法。
这个
或
listOfClasses.SelectMany(x=>x).FindAll( /* yadda */)Sorry about that, FindAll is a method of List<T>.
This
or
要保留列表的列表,您可以执行类似以下示例的操作:
查询将是
List
保存通过测试的 MyClass 对象的列表。乍一看,它看起来与 Select 后面的Where 扩展不符,但内部列表的转换需要首先发生,这就是 Select 扩展中发生的情况。然后通过Where进行过滤。>
To keep a list of lists, you could do something like this example:
query would be
List<List<MyClass>>
holding lists of MyClass objects that passed the test. At first glance, it looks out of order with the Where extension coming after the Select, but the transformation of the inner lists needs to occur first, and that's what's happening in the Select extension. Then it is filtered by the Where.我可能会采用
这种方式,您可以采用锯齿状数组或将其展平。但是 Linq 方式也效果很好:-)。
I would probably go with this
That way you can go with a jagged array or flatten it out.. But the Linq way works well too :-).
虽然生成平面
List
将在大多数情况下满足您的需求,但您问题的准确答案是:此代码片段取自我的概念证明:
While producing a flat
List<MyClass>
will answer your need most of the time, the exact answer to your question is:This code snippet was taken from my Proof of Concept: