表达式目录树以数据形式表示语言级别代码。数据存储在树形结构中。表达式目录树中的每个节点都表示一个表达式,例如一个方法调用或诸如 x < y 的二元运算。
下面的插图显示一个表达式及其表达式目录树形式的表示形式的示例。表达式的不同部分进行了颜色编码,以便与表达式目录树中相应的表达式目录树节点匹配。此外,还显示了不同类型的表达式目录树节点。
下面的代码示例演示如何将表示 lambda 表达式 num => num < 5 (C#) 或 Function(num) num < 5 (Visual Basic) 的表达式目录树分解为它的部分。
//
Add the following using directive to your code file:
//
using System.Linq.Expressions;
//
Create an expression tree.
Expression
<
Func
<
int
,
bool
>>
exprTree
=
num
=>
num
<
5
;
//
Decompose the expression tree.
ParameterExpression param
=
(ParameterExpression)exprTree.Parameters[
0
];
BinaryExpression operation
=
(BinaryExpression)exprTree.Body;
ParameterExpression left
=
(ParameterExpression)operation.Left;
ConstantExpression right
=
(ConstantExpression)operation.Right;
Console.WriteLine(
"
Decomposed expression: {0} => {1} {2} {3}
"
,
param.Name, left.Name, operation.NodeType, right.Value);

/* This code produces the following output:
Decomposed expression: num => num LessThan 5
*/
命名空间提供用于手动生成表达式目录树的 API。 类包含创建特定类型的表达式目录树节点的静态工厂方法,例如,(表示一个已命名的参数表达式)或 (表示一个方法调用)。 命名空间中还定义了 、 和其他特定于表达式的表达式目录树类型。这些类型派生自抽象类型 。
编译器也可以为您生成表达式目录树。编译器生成的表达式目录树的根始终在类型 的节点中;也就是说,其根节点表示一个 lambda 表达式。
下面的代码示例演示创建表示 lambda 表达式 num => num < 5 (C#) 或 Function(num) num < 5 (Visual Basic) 的表达式目录树的两种方法。
//
Add the following using directive to your code file:
//
using System.Linq.Expressions;
//
Manually build the expression tree for
//
the lambda expression num => num < 5.
ParameterExpression numParam
=
Expression.Parameter(
typeof
(
int
),
"
num
"
);
ConstantExpression five
=
Expression.Constant(
5
,
typeof
(
int
));
BinaryExpression numLessThanFive
=
Expression.LessThan(numParam, five);
Expression
<
Func
<
int
,
bool
>>
lambda1
=
Expression.Lambda
<
Func
<
int
,
bool
>>
(
numLessThanFive,
new
ParameterExpression[]
{ numParam }
);
//
Let the compiler generate the expression tree for
//
the lambda expression num => num < 5.
Expression
<
Func
<
int
,
bool
>>
lambda2
=
num
=>
num
<
5
;
