表达式树是一个不错的功能,但是它的实际用途是什么?它们可以用于某种形式的代码生成或元编程吗?
表达式树是一个不错的功能,但是它的实际用途是什么?它们可以用于某种形式的代码生成或元编程吗?
Answers:
我刚刚使用要与大家共享的表达式树创建了通用过滤器功能...
开始
var allFiltered= Filter(AllCustomer, "Name", "Moumit");
public static List<T> Filter<T>(this List<T> Filterable, string PropertyName, object ParameterValue)
{
ConstantExpression c = Expression.Constant(ParameterValue);
ParameterExpression p = Expression.Parameter(typeof(T), "xx");
MemberExpression m = Expression.PropertyOrField(p, PropertyName);
var Lambda = Expression.Lambda<Func<T, Boolean>>(Expression.Equal(c, m), new[] { p });
Func<T, Boolean> func = Lambda.Compile();
return Filterable.Where(func).ToList();
}
多一个
string singlePropertyName=GetPropertyName((Property.Customer p) => p.Name);
public static string GetPropertyName<T, U>(Expression<Func<T, U>> expression)
{
MemberExpression body = expression.Body as MemberExpression;
// if expression is not a member expression
if (body == null)
{
UnaryExpression ubody = (UnaryExpression)expression.Body;
body = ubody.Operand as MemberExpression;
}
return string.Join(".", body.ToString().Split('.').Skip(1));
}
使它更具扩展性
string multiCommaSeparatedPropertyNames=GetMultiplePropertyName<Property.Customer>(c => c.CustomerId, c => c.AuthorizationStatus)
public static string GetMultiplePropertyName<T>(params Expression<Func<T, object>>[] expressions)
{
string[] propertyNames = new string[expressions.Count()];
for (int i = 0; i < propertyNames.Length; i++)
{
propertyNames[i] = GetPropertyName(expressions[i]);
}
return propertyNames.Join();
}
我知道也可以使用反射来完成,但是这一步非常快,或者可以说相当于第一次编译后的lambda。第一次迭代平均只需要10毫秒。这就是表情树魔术。简单而梦幻(我想)!
Bar.Baz
的string
string.Join(".", body.Split('.').Last()
就可以解决问题,不是吗?
我使用它们来创建动态查询,无论是用于排序还是过滤数据。举个例子:
IQueryable<Data.Task> query = ctx.DataContext.Tasks;
if (criteria.ProjectId != Guid.Empty)
query = query.Where(row => row.ProjectId == criteria.ProjectId);
if (criteria.Status != TaskStatus.NotSet)
query = query.Where(row => row.Status == (int)criteria.Status);
if (criteria.DueDate.DateFrom != DateTime.MinValue)
query = query.Where(row => row.DueDate >= criteria.DueDate.DateFrom);
if (criteria.DueDate.DateTo != DateTime.MaxValue)
query = query.Where(row => row.DueDate <= criteria.DueDate.DateTo);
if (criteria.OpenDate.DateFrom != DateTime.MinValue)
query = query.Where(row => row.OpenDate >= criteria.OpenDate.DateFrom);
var data = query.Select(row => TaskInfo.FetchTaskInfo(row));
LINQ提供程序的实现主要通过处理表达式树来完成。我还使用它们从我的代码中删除文字字符串:
Gustavo Guerra最初由Jomo Fisher出版,发布了静态字符串字典的修订版。
在表达式树中,动态表达式提供了一个真正的(荒谬的)字典。
该实现创建一个动态决策树,该决策树根据输入字符串的长度,然后按第一个字母,然后按第二个字母,依此类推,选择相应的值。
最终,它的运行速度比等效的Dictionary快得多。