136

How do you perform a CROSS JOIN with LINQ to SQL?

mwigdahl
  • 16,268
  • 7
  • 50
  • 64
Luke Smith
  • 23,504
  • 8
  • 29
  • 28

5 Answers5

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
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)));
}
Denis
  • 11,796
  • 16
  • 88
  • 150
amoss
  • 1,571
  • 1
  • 15
  • 27
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