我有一个有胜率的球队词典。我希望能够找到一个字典,我找到的团队与另一个团队的胜率相同。 在我这样做之前:
<!-- language: lang-js -->
foreach (var r in divRanks)
{
foreach (var rec in divRanks)
{
if (r.teamID != rec.teamID)
{
if (r.winPct == rec.winPct)
{
r.tied = true;
rec.tied = true;
}
}
}
}
我觉得必须有更好的方法让我使用LINQ来查询团队,然后以这种方式设置我的绑定变量。在包含未绑定的记录之后我需要这些结果,以便我可以使用它们。
答案 0 :(得分:0)
您可以在winPct
上进行分组,过滤掉只有一个成员的群组,并在所有其他项目上将tied
设置为true
。
此LINQ查询使用与嵌套divRanks
循环相同的foreach
:
var tied = divRanks
// Make groups by winning percentage
.GroupBy(r => r.winPct)
// Throw away all groups of one
.Where(g => g.Count() > 1)
// Flatten the groups
.SelectMany(g => g);
// Go through the ties, and set the flag
foreach (var t in tied) {
t.tied = true;
}
答案 1 :(得分:0)
你应该将GroupBy与ToDictionary结合使用:
var dict = list.GroupBy(item => item.WinPct).ToDictionary(group => group.Key);
foreach (var item in dict)
{
Console.Out.WriteLine("Key (winpct which is same for items): {0}", item.Key);
if(item.Value.Count() > 1)
{
foreach (var groupItem in item.Value)
{
Console.Out.WriteLine("GroupItem: {0} - {1}", groupItem.TeamId, groupItem.WinPct);
item.Tied = true;
}
}
}
输入:
list.Add(new Rank() { TeamId = 1, WinPct = 1 });
list.Add(new Rank() { TeamId = 2, WinPct = 1 });
list.Add(new Rank() { TeamId = 3, WinPct = 2 });
list.Add(new Rank() { TeamId = 4, WinPct = 2 });
list.Add(new Rank() { TeamId = 5, WinPct = 5 });
list.Add(new Rank() { TeamId = 6, WinPct = 6 });
输出:
Key (winpct which is same for items): 1
GroupItem: 1 - 1
GroupItem: 2 - 1
Key (winpct which is same for items): 2
GroupItem: 3 - 2
GroupItem: 4 - 2
Key (winpct which is same for items): 5
GroupItem: 5 - 5
Key (winpct which is same for items): 6
GroupItem: 6 - 6
编辑:
现在它也将设置绑定属性。我以为你只是让这个hack合并然后以某种方式进入字典。如果您只想设置tied
属性,最好使用dasblinkenlights解决方案。