3

我正在尝试查询实体以基于过滤器返回多行。

例如在 SQL 中,我们有:

SELECT * FROM table WHERE field IN (1, 2, 3)

如何在 LINQ to Entities 中执行此操作?

4

3 回答 3

4

虽然我确实收到了一些及时的答案,但我感谢大家。我收到的回复中显示的方法不起作用。

我不得不继续搜索,直到我最终在Microsoft 论坛的 Frederic Ouellet 的帖子中找到了一种方法来做我需要的事情。

简而言之,它是下面的扩展方法:

    public static IQueryable<T> WhereIn<T, TValue>(this IQueryable<T> source, Expression<Func<T, TValue>> propertySelector, params TValue[] values)
    {
        return source.Where(GetWhereInExpression(propertySelector, values));
    }

    public static IQueryable<T> WhereIn<T, TValue>(this IQueryable<T> source, Expression<Func<T, TValue>> propertySelector, IEnumerable<TValue> values)
    {
        return source.Where(GetWhereInExpression(propertySelector, values));
    }

    private static Expression<Func<T, bool>> GetWhereInExpression<T, TValue>(Expression<Func<T, TValue>> propertySelector, IEnumerable<TValue> values)
    {
        ParameterExpression p = propertySelector.Parameters.Single();
        if (!values.Any())
            return e => false;

        var equals = values.Select(value => (Expression)Expression.Equal(propertySelector.Body, Expression.Constant(value, typeof(TValue))));
        var body = equals.Aggregate<Expression>((accumulate, equal) => Expression.Or(accumulate, equal));

        return Expression.Lambda<Func<T, bool>>(body, p);
    }
于 2009-03-20T14:54:32.277 回答
3

你可以这样做:

int[] productList = new int[] { 1, 2, 3, 4 };

var myProducts = from p in db.Products
                 where productList.Contains(p.ProductID)
                select p;
于 2009-03-19T17:29:12.460 回答
1

这是您在 SQL 中的查询的精确表示。

int[] productList = new int[] { 1, 2, 3};

var myProducts = from p in db.Products
                 where productList.Contains(p.ProductID)
                select p;

如果是实体,您能否更好地描述问题?

确切的 SQL 表示将是......

SELECT [t0].[ProductID], [t0].[Name], [t0].[ProductNumber], [t0].[MakeFlag], [t0].[FinishedGoodsFlag], 
[t0].[Color], [t0].[SafetyStockLevel], [t0].[ReorderPoint], [t0].[StandardCost], [t0].[ListPrice], 
[t0].[Size], [t0].[SizeUnitMeasureCode], [t0].[WeightUnitMeasureCode], [t0].[Weight], [t0].[DaysToManufacture], 
[t0].[ProductLine], [t0].[Class], [t0].[Style], [t0].[ProductSubcategoryID], [t0].[ProductModelID], 
[t0].[SellStartDate], [t0].[SellEndDate], [t0].[DiscontinuedDate], [t0].[rowguid], [t0].[ModifiedDate]
FROM [Production].[Product] AS [t0]
WHERE [t0].[ProductID] IN (@p0, @p1, @p2, @p3)
于 2009-03-19T17:29:09.603 回答