从列表中选择/计数元素
本文关键字:元素 选择 列表 | 更新日期: 2023-09-27 18:15:39
假设我有一个这样的列表。
private List<TestClass> test()
{
List<TestClass> tcList = new List<TestClass>();
tcList.Add(new TestClass { ModulePosition = 1, TopBotData = 2, prop3 = 3 });
tcList.Add(new TestClass { ModulePosition = 1, TopBotData = 4, prop3 = 5 });
tcList.Add(new TestClass { ModulePosition = 1, TopBotData = 2, prop3 = 6 });
return tcList;
}
我想做的是,我想返回所有包含ModulePosition = 1
和TopBotData = 2
的元素。我还需要它满足给定条件的次数。这里是2。没有使用LINQ,因为我使用。net 2.0
您可以将其封装在一个方法中,然后生成返回符合您的标准的结果
public IEnumerable<TestClass> GetTests(List<TestClass> tests)
{
foreach(var v in tests){
if(v.ModulePosition == 1 && v.TopBotData == 2)
yield return v;
}
}
和
List<TestClass> tcList = new List<TestClass>();
tcList.Add(new TestClass { ModulePosition = 1, TopBotData = 2, prop3 = 3 });
tcList.Add(new TestClass { ModulePosition = 1, TopBotData = 4, prop3 = 5 });
tcList.Add(new TestClass { ModulePosition = 1, TopBotData = 2, prop3 = 6 });
var results = new List<TestClass>(GetTests(tcList));
var count = results.Count;
public int Count(List<TestClass> tests)
{
int counter=0;
foreach(var v in tests){
if(v.ModulePosition == 1 && v.topBotData == 2)
counter++;
}
return counter;
}
你这样做。在if中添加任何你想要的条件
for (int i = 0; i < tcList.Count; i++)
{
if (tcList[i].TopBotData == 2 && tcList[i].ModulePosition == 1)
{
result.Add(tcList[i]);
}
}
return result;
你这样做。在if中添加任何你想要的条件。
要知道元素的个数,只需执行result.Count
for (int i = 0; i < tcList.Count; i++)
{
if (tcList[i].TopBotData == 2 && tcList[i].ModulePosition == 1)
{
result.Add(tcList[i]);
}
}
return result;
我同意Eoin的回答,但我会使用更通用的方法,例如
private List<TestClass> GetByModuleAndTopBot(List<TestClass> list, int modulePosition, int topBotData)
{
List<TestClass> result = new List<TestClass>();
foreach (TestClass test in list)
{
if ((test.ModulePosition == modulePosition) &&
(test.TopBotData == topBotData))
result.Add(test);
}
return result;
}
因此,你可以通过调用这个方法得到你想要的结果,如下所示:
GetByModuleAndTopBot(tcList, 1, 2);
并与.Count
计数,因为它的返回类型是List<>
。
List<T>
有一个与LINQ的Where
几乎相同的FindAll
方法:
return tcList.FindAll(
delegate(TestClass x) { return x.ModulePosition == 1 && x.topBotData == 2; });
在较新的。net版本中,我会推荐LINQ和lambda表达式,但对于。net 2.0,上面可能是最简洁的方法来做你想做的(因此,我想,可能是一个好方法)。
您也可以使用谓词:
private static bool MyFilter(TestClass item)
{
return (item.ModulePosition) == 1 && (item.TopBotData == 2);
}
private static void Example()
{
List<TestClass> exampleList = test();
List<TestClass> sortedList = exampleList.FindAll(MyFilter);
}