Da dies die De-facto-SO-Frage für Linksaußenverknüpfungen unter Verwendung der Methodensyntax (Erweiterungssyntax) zu sein scheint, dachte ich, ich würde eine Alternative zu der aktuell ausgewählten Antwort hinzufügen, die (zumindest nach meiner Erfahrung) häufiger das war, was ich bin nach dem
// Option 1: Expecting either 0 or 1 matches from the "Right"
// table (Bars in this case):
var qry = Foos.GroupJoin(
Bars,
foo => foo.Foo_Id,
bar => bar.Foo_Id,
(f,bs) => new { Foo = f, Bar = bs.SingleOrDefault() });
// Option 2: Expecting either 0 or more matches from the "Right" table
// (courtesy of currently selected answer):
var qry = Foos.GroupJoin(
Bars,
foo => foo.Foo_Id,
bar => bar.Foo_Id,
(f,bs) => new { Foo = f, Bars = bs })
.SelectMany(
fooBars => fooBars.Bars.DefaultIfEmpty(),
(x,y) => new { Foo = x.Foo, Bar = y });
So zeigen Sie den Unterschied mithilfe eines einfachen Datensatzes an (vorausgesetzt, wir verbinden die Werte selbst):
List<int> tableA = new List<int> { 1, 2, 3 };
List<int?> tableB = new List<int?> { 3, 4, 5 };
// Result using both Option 1 and 2. Option 1 would be a better choice
// if we didn't expect multiple matches in tableB.
{ A = 1, B = null }
{ A = 2, B = null }
{ A = 3, B = 3 }
List<int> tableA = new List<int> { 1, 2, 3 };
List<int?> tableB = new List<int?> { 3, 3, 4 };
// Result using Option 1 would be that an exception gets thrown on
// SingleOrDefault(), but if we use FirstOrDefault() instead to illustrate:
{ A = 1, B = null }
{ A = 2, B = null }
{ A = 3, B = 3 } // Misleading, we had multiple matches.
// Which 3 should get selected (not arbitrarily the first)?.
// Result using Option 2:
{ A = 1, B = null }
{ A = 2, B = null }
{ A = 3, B = 3 }
{ A = 3, B = 3 }
Option 2 entspricht der typischen linken äußeren Verknüpfungsdefinition, ist jedoch, wie bereits erwähnt, je nach Datensatz häufig unnötig komplex.
GroupJoin
wird die linke äußere Verbindung hergestellt, dasSelectMany
Teil wird nur benötigt, je nachdem, was Sie auswählen möchten.