对 VB 感到抱歉,但下面的摘录是我在评论中的意思。我不认为它涵盖了所有的基础(即它可能没有深入研究,所以一定要测试它)但对于大多数简单的例子来说它是有效的:
该代码基于此 MSDN Expression Visitor 示例:
class CustomExpressionWalker<TSource> : ExpressionVisitor
{
protected override Expression VisitMemberAccess(MemberExpression m)
{
if (m.Member.DeclaringType != typeof(TSource))
{
// We are accessing a member/variable on a class
// We need to descend the tree through the navigation properties and eventually derive a constant expression
return this.VisitMemberAccess(m, m.Type);
}
throw new NotImplementedException();
}
protected Expression VisitMemberAccess(MemberExpression m, Type expectedType)
{
if (m.Expression.NodeType == ExpressionType.Constant)
{
// We are at the end of the member expression
// i.e. MyClass.Something.Something.Value <-- we're at the Value part now
ConstantExpression constant = (ConstantExpression)m.Expression;
return Expression.Constant(m.Expression.Type.GetFields().Single(n => n.FieldType == expectedType && m.Member.Name.Contains(n.Name)).GetValue(constant.Value));
}
else if (m.Member.DeclaringType == typeof(TSource))
{
// I'm unsure of your current implementation but the original Member access
// regarding serializing the expression, but if the code reaches here a nested
// MemberAccess has landed on a Property/variable of type TSource, so you'll need
// to decide whether to serialize here or not. For example, if TSource was of
// type "myClass", it could be
// (myOtherClass x) => x.myClass
throw new NotImplementedException();
}
else if (m.Member.DeclaringType == typeof(Nullable))
{
// never got round to implementing this as we don't need it yet
// if you want to deal with Nullable<T> you're going to have to
// examine the logic here
throw new NotImplementedException();
}
else
{
// continue walking the member access until we derive the constant
return this.VisitMemberAccess((MemberExpression)m.Expression, expectedType);
}
}
}
希望这可以帮助!
编辑:我最初遇到的问题是当 MemberAccess 是非类时我没有继续走树TSource
,上面的逻辑实际上应该递归地根除这些案例,所以忽略我原来的评论。我留在Nullable<T>
子句(关于 else if
)语句中,因为我认为现有逻辑不会涵盖这些情况,它也可能与通用类有冲突。
也就是说,这应该让你处于有利地位。如果您没有使用 Expression Visitor,您能否提供更多详细信息/代码?
祝你好运!