How do you perform a CROSS JOIN with LINQ to SQL?
Asked
Active
Viewed 6.6k times
5 Answers
176
A cross-join is simply the Cartesian product of two sets. There's no explicit join operator for it.
var combo = from p in people from c in cars select new { p.Name, c.Make, c.Model, c.Colour };

Steve Morgan
- 12,978
- 2
- 40
- 49
-
2How do you write that `from p in people from c in cars` in lambda notation? – sports Nov 21 '14 at 16:02
-
61`people.SelectMany(p => cars, (p, c) => new { ... })` – Iain Galloway Aug 05 '15 at 12:04
-
For lambda syntax, see https://stackoverflow.com/a/11395783/4294399. – General Grievance Sep 13 '21 at 18:56
43
The same thing with the Linq extension method SelectMany
(lambda syntax):
var names = new string[] { "Ana", "Raz", "John" };
var numbers = new int[] { 1, 2, 3 };
var newList=names.SelectMany(
x => numbers,
(y, z) => { return y + z + " test "; });
foreach (var item in newList)
{
Console.WriteLine(item);
}

General Grievance
- 4,555
- 31
- 31
- 45

Rzv.im
- 978
- 7
- 12
27
Based on Steve's answer, the simplest expression would be this:
var combo = from Person in people
from Car in cars
select new {Person, Car};

Mark Cidade
- 98,437
- 31
- 224
- 236
13
A Tuple
is a good type for Cartesian product:
public static IEnumerable<Tuple<T1, T2>> CrossJoin<T1, T2>(IEnumerable<T1> sequence1, IEnumerable<T2> sequence2)
{
return sequence1.SelectMany(t1 => sequence2.Select(t2 => Tuple.Create(t1, t2)));
}
-
Its type of argument and returns are `IEnumerable` not `IQueryable`, it works for Linq not Linq to SQL. – Mr. Squirrel.Downy Jun 15 '22 at 08:21
8
Extension Method:
public static IEnumerable<Tuple<T1, T2>> CrossJoin<T1, T2>(this IEnumerable<T1> sequence1, IEnumerable<T2> sequence2)
{
return sequence1.SelectMany(t1 => sequence2.Select(t2 => Tuple.Create(t1, t2)));
}
And use like:
vals1.CrossJoin(vals2)

Denis
- 11,796
- 16
- 88
- 150
-
Its type of argument and returns are `IEnumerable` not `IQueryable`, it works for Linq not Linq to SQL. – Mr. Squirrel.Downy Jun 15 '22 at 08:20