我编写了一些类来将System.Linq.Expressions
序列化为DataContracts,以便能够通过WCF发送。它非常好用。问题是当我想序列化一个包含变量的表达式时。这是一个解释问题的例子:
public class Foo
{
public string Name { get; set; }
}
// CASE 1
Expression<Func<Foo, bool>> lambda = foo => foo.Name == "Test";
Console.WriteLine(lambda);
// OUTPUT: foo => (foo.Name == "Test")
// CASE 2
var variable = "Test";
lambda = foo => foo.Name == variable;
this.AssertExpression(lambda, "Class Lambda expression with variable.");
// OUTPUT: foo => (foo.Name == value(MyTest+<>c__DisplayClass0).variable)
我没有序列化CASE 2表达式的麻烦,但是我序列化的数据是没用的,因为在服务方面,没有什么可以解决value(MyTest+<>c__DisplayClass0).variable
所以我需要在序列化该表达式之前解析变量,以便CASE 2表达式序列化为与CASE1相同的结果
答案 0 :(得分:2)
对不起VB,但是以下摘录是我在评论中所说的代码。我不认为它涵盖了所有的基础(即它可能没有深入钻探,所以请确保你测试它)但是对于简单它的大多数例子都有效:< / p>
代码基于this MSDN Expression Visitor example:
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);
}
}
}
希望这有帮助!
编辑:The original issue I had是因为当MemberAccess是一个非TSource
类时我没有继续走树,上面的逻辑实际上应该递归地根除这些情况,所以忽略我原来的评论。我已经留在Nullable<T>
子句(在 else if
)语句中,因为我认为现有逻辑不会涵盖这些情况,它也可能会遇到Generic类。
那就是说,这应该会让你处于有利地位。如果您没有使用表达式访问者,是否可以提供更多详细信息/代码?
祝你好运!