1

想象有一个类(和相应的数据库表)如下

class Price{
    int ItemID;
    int ItemTypeID;
    string ItemName;
    string ItemTypeName;
    float Price;
}

我正在寻找一个新的通过 LINQ 查询它以获取不同项目的列表(可能使用 Take() 和 Skip() 方法)并嵌套所有相关价格的列表。

有什么建议吗?

编辑:为了让问题更简单,这里有一个例子

想象一下有3个“价格”如下

1, 1, Ball, Blue, 10 
1, 2, Ball, Red,  20 
2, 1, Frisbee, Blue, 30

我想把它们放在一个简化的结构中

List<Item>

在哪里

class Item
{
    string ItemName;
    string ItemTypeName;
    List<Price> Prices;
}

class Price
{
    float Price;
}
4

2 回答 2

5

使用Distinct(),像这样:

var results = _dbContext.Prices
    .Distinct()
    .Skip(15)
    .Take(5);

编辑:List<Item>要按照您的要求 填充每个项目的价格列表,您应该使用GROUPBY这样的:

var results = _dbContext.GroupBy( i => new { i.ItemName, i.ItemTypeName })
    .Select( g => new Item()
        {
            ItemName = g.Key.ItemName,
            ItemTypeName = g.Key.ItemTypeName,
            Prices = g.Select( p => new Price(){Price = p.Price})
         });

之后,您可以应用TakeSkip第一个查询相同的方式。

于 2012-07-02T13:16:08.187 回答
5

听起来你可能想要一个 GroupBy。尝试这样的事情。

var result = dbContext.Prices
    .GroupBy(p => new {p.ItemName, p.ItemTypeName)
    .Select(g => new Item
                     {
                         ItemName = g.Key.ItemName,
                         ItemTypeName = g.Key.ItemTypeName,
                         Prices = g.Select(p => new Price 
                                                    {
                                                        Price = p.Price
                                                    }
                                           ).ToList()

                     })
     .Skip(x)
     .Take(y)
     .ToList();
于 2012-07-02T13:33:42.507 回答