Search code examples
c#linqlinq-expressionscustom-linq-providers

Does the LINQ Expression API offer no way to create a variable?


I want to validate my assumption that the LINQ Expression API does not have any means for us to create an expression that represents the creation of a local variable.

In other words, you cannot create an expression to represent:

int local;

since that is a variable declaration statement, and the API does not support statement lambdas. The only state that a lambda expression, as represented by the LINQ Expression API (and not a delegate instance) can work with is parameters it receives and the captured variables it receives via a closure.

Is my assumption (based on a few months of practice of the LINQ Expression API) correct?


Solution

  • False. There are some overloads of Expression.Block to do it.

    What is true is that you can't create a lambda expression through the use of the C# compiler that has a variable, but that is a limitation of the compiler.

    So you can't

    Expression<Func<int>> exp = () => {
        int v = 1;
        return v;
    };
    

    but you can

    var variable = Expression.Variable(typeof(int));
    var lambda = Expression.Lambda<Func<int>>(
        Expression.Block(
            new[] { variable }, 
            Expression.Assign(variable, Expression.Constant(1)), 
            variable)); // With lambda expressions, there is an implicit
                        // return of the last value "loaded" on the stack
    

    since that is a variable declaration statement, and the API does not support statement lambdas.

    This was true in .NET < 4.0 . In .NET 4.0 Microsoft added Expression methods to build nearly everything that can be present in the body of a method (there are some missing "things", like unsafe code keywords/operators, plus there are the primitives but there aren't complex constructs like the for or lock, that can be built on top of other constructs). Note that 90% of those added things are incompatible with LINQ-to-SQL/EF.