2

我有一个看起来有点像这样的表:

| FruitID | BasketID | FruitType |

我在查询中传递了一个列表,BasketIDs我希望该列表FruitIDsBasketIDAND 中仅属于某个FruitType(值只能为 1 或 2)。

这就是我所拥有的:

var TheQuery = (from a in MyDC.MyTable

                where TheBasketIDs.Contains(a.BasketID) &&
                      a.FruitType == 1 // need help here

                select a.FruitID).ToList();

我在表达第二个where条件时遇到了一些困难。我想要FruitIDs所有FruitType都是 1 而没有一个是 2 的地方。

| FruitID | BasketID | FruitType |
|   23    |    2     |    1      |
|   23    |    5     |    1      |  
|   19    |    2     |    1      |
|   19    |    5     |    2      |

例如,水果 23 可以,因为它FruitType始终为 1,但水果 19 不行,因为它也有FruitType2,即使TheBasketIDs我传入的列表不包含 5。

4

2 回答 2

8

一种方法是按水果 id 分组,然后使用 LINQ 表达式检查结果组:

var ids = MyDC.MyTable
    .GroupBy(r => r.FruitID)
    // The following condition examines g, the group of rows with identical FruitID:
    .Where(g => g.Any(item => TheBasketIDs.Contains(item.BasketID))
             && g.Any(item => item.FruitType == 1)
             && g.All(item => item.FruitType != 2))
    .Select(g => g.Key);

这将生成FruitID您所需类型的 s 列表。

编辑:(回应下面的评论)

类型只有 1 或 2 但绝不是 3

然后,您可以按如下方式简化查询:

var ids = MyDC.MyTable
    .GroupBy(r => r.FruitID)
    // The following condition examines g, the group of rows with identical FruitID:
    .Where(g => g.Any(item => TheBasketIDs.Contains(item.BasketID))
              // When there is no 3-rd state, FruitType==1 will keep FruitType==2 out
             && g.All(item => item.FruitType == 1))
    .Select(g => g.Key);
于 2013-02-04T14:23:56.577 回答
1
var TheQuery = (from a in MyDC.MyTable
                group a by a.FruitID into g
                where g.Any(b => TheBasketIDs.Contains(b.BasketID)) && g.All(b => b.FruitType == 1)
                select g.Key).ToList();
于 2013-02-04T14:24:42.593 回答