在DynamicData项目中可以使用IQueryable

时间:2013-01-29 13:58:56

标签: c# linq dynamic-data

我正在使用动态数据项目,我正在尝试对IQueryable对象执行查询。 我想执行一个查询,检查文本是否包含在我的实体的“SubjectID”字段中。

这是我的过滤器类:

public partial class SubjectIDFilter : System.Web.DynamicData.QueryableFilterUserControl
    {
        protected void Page_Init(object sender, EventArgs e)
        {
        }

        public override System.Linq.IQueryable GetQueryable(System.Linq.IQueryable source)
        {
            if (string.IsNullOrEmpty(this.textBox.Text))
            {
                return source;
            }

            return source;
        }

        protected void btnSearch_Click(Object sender,
                           EventArgs e)
        {
            OnFilterChanged();
        }

        public override Control FilterControl
        {
            get
            {
                return this.textBox;
            }
        }
    }

代码应放在“GetQueryable”方法中。

我曾尝试编写“source.Where ...”,但IDE intellisence无法识别源对象上的那些LINQ方法(“Select,Where ..”)。 我没有弄清楚如何使用“Expression”对象(对于CreateQuery方法)编写查询。

如何在该对象上执行简单的SQL查询?

1 个答案:

答案 0 :(得分:0)

您应该创建表达式并使用IQueryProvider.CreateQuery返回它。以下是执行您想要的代码:

public override IQueryable GetQueryable(IQueryable source)
{
    if (string.IsNullOrEmpty(textBox.Text))
    {
        return source;
    }

    string filterValue = textBox.Text;
    ConstantExpression value = Expression.Constant(filterValue);

    ParameterExpression parameter = Expression.Parameter(source.ElementType);
    MemberExpression property = Expression.Property(parameter, Column.Name);
    if (Nullable.GetUnderlyingType(property.Type) != null)
    {
        property = Expression.Property(property, "Value");
    }

    Expression comparison = Expression.Call(property, typeof(string).GetMethod("Contains", new [] { typeof(string) }), value);
    LambdaExpression lambda = Expression.Lambda(comparison, parameter);

    MethodCallExpression where = Expression.Call(
        typeof(Queryable),
        "Where",
        new[] { source.ElementType },
        source.Expression,
        lambda);

    return source.Provider.CreateQuery(where);
}

此代码取自Oleg的Sych Understanding ASP.NET Dynamic Data: Filter Templates博文。它可以很好地了解动态数据过滤机制背后的情况,我强烈建议您阅读。