A project I'm working on often has lists within lists within lists etc. The original author often uses complicated linq expressions, but when adapting them I mostly get hopelessly bogged down and resort to foreach's which makes me feel like a lesser being (joke). With an expression such as the following, what would the equivalent Linq expression be, and would you bother taking the time to make it, instead of the 'easy' foreach option.
var participantList = new List<string>();
foreach (var community in communities)
{
foreach (var tournament in community.Tournaments)
{
foreach (var round in tournament.Rounds)
{
foreach (var match in round.Matches)
{
if (match.Home.ParticipantId.IsNotNull())
{
participantList.Add(match.Home.ParticipantId);
}
if (match.Away.ParticipantId.IsNotNull())
{
participantList.Add(match.Away.ParticipantId);
}
}
}
}
}
-
1\$\begingroup\$ The desire to improve code is implied for all questions on this site. Question titles should reflect the purpose of the code, not how you wish to have it reworked. See How to Ask. \$\endgroup\$Ethan Bierlein– Ethan Bierlein2016年03月04日 15:57:07 +00:00Commented Mar 4, 2016 at 15:57
1 Answer 1
The LINQ would be:
var participantList = communities.SelectMany(c => c.Tournaments
.SelectMany(t => t.Rounds
.SelectMany(r => r.Matches)))
.Where(m => m.Home.ParticipantId.IsNotNull() ||
m.Away.ParticipantId.IsNotNull())
.ToList();
LINQ does not add much imo, if the logic was more complicated the for loops are nicer to debug.
One downside with LINQ for this is that it requires formatting to be readable. If you rename things the formatting needs to be maintained.
With the foreach loops you get formatting for free.
Edit: As per @RobH's suggestion:
var participantList = communities.SelectMany(c => c.Tournaments)
.SelectMany(t => t.Rounds)
.SelectMany(r => r.Matches)
.Where(m => m.Home.ParticipantId.IsNotNull() ||
m.Away.ParticipantId.IsNotNull())
.ToList();
Chaining is indeed nicer.
-
4\$\begingroup\$ +1 You could 'stack' the
SelectMany
calls instead of nesting them. That can be a bit easier to read. \$\endgroup\$RobH– RobH2016年03月04日 16:45:06 +00:00Commented Mar 4, 2016 at 16:45