In this particular case, it gets translated to:
list.Select( x => SomeComplexExpressionDependingOnx );
But there may be a more complex case, such as:
from x in list
let v = SomeComplexExpressionDependingOnx
where v > 10 && v+5 < 50 && SomeFunc(v) == "str"
select x
Will translate to:
list.Where( x =>
{
var v = SomeComplexExpressionDependingOnx;
return v > 10 && v+5 < 50 && SomeFunc(v) == "str";
}
)
In other words, the let
keyword is a way to minimize and/or optimize your query. That is, without the let
keyword you would have to write:
from x in list
where
SomeComplexExpressionDependingOnx > 10 &&
SomeComplexExpressionDependingOnx+5 < 50 &&
SomFunc(SomeComplexExpressionDependingOnx) == "str"
select x
Resulting in possible triple evaluation of the same expression.
Update, following a question in comment.
First, what's so scary about "block expressions"? They're just a shorthand for arbitrary delegate. That is, the following expression:
Func<string,int> f =
s =>
{
var ln = s.Length;
return ln/2;
}
Is equivalent to the following:
int CompilerGeneratedMethodIdentifier0( string s )
{
var ln = s.Length;
return ln/2;
}
...
Func<string, int> f = new Func<string, int>( CompilerGeneratedMethodIdentifier0 );
Second, what's so special about "block expressions"? Did you know that mmm... let's call them "non-block" expressions also expand to the very same code? That is, the simple code new Func<string,int>( s => return s.Length/2 )
is absolute equivalent to:
int CompilerGeneratedMethodIdentifier0( string s )
{
return ln/2;
}
...
new Func<string, int>( CompilerGeneratedMethodIdentifier0 );
Third, what's so non-linqy about "block expressions"? LINQ uses delegates all over the place, and it doesn't really matter to LINQ what exact shortcut you use to represent those delegates.
In particular, your expression from a in list where a.SomeProp > 10 select new { A = a, B = a.GetB() }
gets translated into the following:
class AnonymousType0
{
public MyClass A { get; set; }
public othertype B { get; set; }
}
bool WhereFunc0( MyClass a )
{
return a.SomeProp > 10;
}
AnonymousType0 SelectResultFunc0( MyClass a )
{
AnonymousType0 result = new AnonymousType0();
result.A = a;
result.B = a.GetB();
return result;
}
...
list
.Where( new Func<MyClass,bool>( WhereFunc0 ) )
.Select( new Func<MyClass,AnonymousType0>( SelectResultFunc0 ) );
Fourth, to get understanding like this, one can just play with the language and think. Use one's brain, that is.
And fifth, if the previous advice doesn't work for you for one reason or another, you always have .NET Reflector. Very useful tool, everybody should have one.