我正在开发一个简单的类,按照惯例将任何元组从数据库映射到CLR对象。
在我的工作中,我不能使用EntityFramework,因为数据库是巨型的,我们已经拆分模型,不可能跨越不同的上下文。
所以我开始开发自己的ORM映射器,生成插入,更新和删除命令。 我正在尝试开发选择方法,生成选择CMD。
此方法通过参数接收Expression<T, bool>
过滤器,我想过滤数据。
我真正想要使用的一件事是:
int value = 1;
int valu2 = 40;
mapper.Select<MyEntity>(m => m.id> value && m.id<= value2);
最大的问题是filter.body.toString()
按原样生成一个字符串,而我真正想做的是用它们变量上声明的值替换“value”和“value2”的值...
有人能给我一个亮点吗?
非常感谢所有人!
答案 0 :(得分:1)
没有简单的方法可以实现这一目标。您必须以递归方式解析整个语法树并将其转换为where子句,如下所示:
WHERE id > 1 AND id < 40
查看Expression Tree Basics上的博客。这不是你问题的完整答案;但是,它可能会给你一个起点。
答案 1 :(得分:0)
我以简单的方式解析了expr树,只是为了构建过滤器。
以下是我的表现。
private static String ParseFilter(Expression expr)
{
return ParseFilter(expr, new ExpressionUtilFilterClass()).data.ToString();
}
// Recursive algorithm
private
static
ExpressionUtilFilterClass // Return type
ParseFilter(
Expression expr,
ExpressionUtilFilterClass info // Used to pass information in recursive manner
)
{
Type exprType = expr.GetType();
if ( exprType != typeof(BinaryExpression) && exprType != typeof(MemberExpression) && exprType != typeof(ConstantExpression) )
throw new InvalidOperationException("unsupported filter");
if ( exprType == typeof(BinaryExpression) )
{
//
// We have 2 expressions (left and right)
//
BinaryExpression bExpr = (BinaryExpression)expr;
ExpressionUtilFilterClass recursion;
StringBuilder subOperation = new StringBuilder();
recursion = ParseFilter(bExpr.Left, info); // Go left in depth - we don't know the type yet
subOperation.Append("( ");
subOperation.Append(recursion.data);
subOperation.Append(" ");
subOperation.Append(_expressionOperator[bExpr.NodeType]);
subOperation.Append(" ");
recursion = ParseFilter(bExpr.Right, recursion); // Pass reference that contains type information!
subOperation.Append(recursion.data);
subOperation.Append(" )");
// Affect data subpart and pass to upper caller
recursion.data = subOperation.ToString();
return recursion;
}
else
{
MemberExpression mExpr;
ParameterExpression pExpr;
ConstantExpression cExpr;
//
// We need distinct if we are accessing to capturated variables (need map to sql) or constant variables
//
if ( ( mExpr = expr as MemberExpression ) != null )
{
if ( ( pExpr = ( mExpr.Expression as ParameterExpression ) ) != null )
{
info.parameterType = mExpr.Expression.Type; // Type of parameter (must be untouched)
info.data = GetMappingForProperty(info.parameterType, mExpr.Member.Name); // Must have a map to SQL (criar metodo que faz mapeamento)!!!!!!!!!!!!!!!!!
return info;
}
else
{
cExpr = (ConstantExpression)mExpr.Expression;
object obj = cExpr.Value; // Get anonymous object
string objField = mExpr.Member.Name;
FieldInfo value = obj.GetType().GetField(objField); // Read native value
string nativeData = value.GetValue(obj).ToString();
info.data = nativeData;
return info;
}
}
else
{
cExpr = (ConstantExpression)expr;
string nativeData = cExpr.Value.ToString();
info.data = nativeData;
return info;
}
}
}