Using the C# compilers query comprehension features, you can write code like:
var names = new string[] { "Dog", "Cat", "Giraffe", "Monkey", "Tortoise" };
var result =
from animalName in names
let nameLength = animalName.Length
where nameLength > 3
orderby nameLength
select animalName;
In the query expression above, the let
keyword allows a value to be passed forward to the where and orderby operations without duplicate calls to animalName.Length
.
What is the equivalent set of LINQ extension method calls that achieves what the "let" keyword does here?
Let doesn't have its own operation; it piggy-backs off of Select
. You can see this if you use "reflector" to pull apart an existing dll.
it will be something like:
var result = names
.Select(animalName => new { nameLength = animalName.Length, animalName})
.Where(x=>x.nameLength > 3)
.OrderBy(x=>x.nameLength)
.Select(x=>x.animalName);
There's a good article here
Essentially let
creates an anonymous tuple. It's equivalent to:
var result = names.Select(
animal => new { animal = animal, nameLength = animal.Length })
.Where(x => x.nameLength > 3)
.OrderBy(y => y.nameLength)
.Select(z => z.animal);
There is also a .Let extension method in System.Interactive, but its purpose is to introduce a lambda expression to be evaluated 'in-line' in a fluent expression. For instance, consider (in LinqPad, say) the following expression that creates new random numbers every time it's executed:
var seq = EnumerableEx.Generate(
new Random(),
_ => true,
_ => _,
x => x.Next());
To see that new random samples show up every time, consider the following
seq.Zip(seq, Tuple.Create).Take(3).Dump();
which produces pairs in which the left and right are different. To produce pairs in which the left and right are always the same, do something like the following:
seq.Take(3).ToList().Let(xs => xs.Zip(xs, Tuple.Create)).Dump();
If we could invoke lambda expressions directly, we might write
(xs => xs.Zip(xs, Tuple.Create))(seq.Take(3).ToList()).Dump();
But we can't invoke lambda expressions as if they were methods.