C# lambda 学习笔记
//System.Linq.Expressions Namespace 包含允许将语言级代码表达式表示为表达式树形式的对象的类、接口和枚举。
//BinaryExpression Class 表示具有二进制运算符的表达式。
//BinaryExpression Class 表示具有二进制运算符的表达式。 //Expression.MakeBinary Method 通过调用适当的工厂方法创建一个 BinaryExpression。 BinaryExpression binaryExpression = System.Linq.Expressions.Expression.MakeBinary( System.Linq.Expressions.ExpressionType.LeftShift, System.Linq.Expressions.Expression.Constant(53), System.Linq.Expressions.Expression.Constant(14)); //输出 53+34 Console.WriteLine(binaryExpression.ToString());
Expression 有一个NodeType 属性,用来详细描述表达式,比如BinaryExpression 可以有加减乘除等特征,通过nodetype,就可判断BinaryExpression 的特征。
Expression<TDelegate> 代表一个表达式树,一种数据结构,官方文档:https://docs.microsoft.com/en-us/dotnet/api/system.linq.expressions.expression-1?view=netcore-3.1
它的NoteType是 Lambda
// Lambda expression as executable code. Func<int, bool> deleg = i => i < 5; // Invoke the delegate and display the output. Console.WriteLine("deleg(4) = {0}", deleg(4)); // Lambda expression as data in the form of an expression tree. System.Linq.Expressions.Expression<Func<int, bool>> expr = i => i < 5; // Compile the expression tree into executable code. Func<int, bool> deleg2 = expr.Compile(); // Invoke the method and print the output. Console.WriteLine("deleg2(4) = {0}", deleg2(4));
ParameterExpression
ParameterExpression param = Expression.Parameter(typeof(int)); // Creating an expression for the method call and specifying its parameter. MethodCallExpression methodCall = Expression.Call( typeof(Console).GetMethod("WriteLine", new Type[] { typeof(int) }), param ); Expression.Lambda<Action<int>>( methodCall, new ParameterExpression[] { param } ).Compile()(10);
expr.Compile(); 相当于把Expression<Func<int, bool>> 中<>里的内容给return回来了,赋值给了deleg2.
更专业的解释
LambdaExpression
ParameterExpression paramExpr = Expression.Parameter(typeof(int), "arg"); LambdaExpression lambdaExpr = Expression.Lambda( Expression.Add( paramExpr, Expression.Constant(2) ), new List<ParameterExpression>() { paramExpr } ); Console.WriteLine(lambdaExpr); // arg => (arg +1) Console.WriteLine(lambdaExpr.Compile().DynamicInvoke(1)); // 2