0

以下のようなテーブルがあります。

Branch      Dept        Product ID  Product Val Product Date
Branch 1        Dept 1      ID 1        1       5/23/2013
Branch 1        Dept 1      ID 2        1       5/23/2013
Branch 1        Dept 2      ID 3        1       5/23/2013
Branch 2        Dept 11     ID 4        1       5/23/2013
Branch 2        Dept 11     ID 5        1       5/23/2013
Branch 2        Dept 11     ID 6        1       5/23/2013
Branch 3        Dept 21     ID 7        1       5/23/2013

私はLINQ(LINQの新人です)を使用して、これをオブジェクトのコレクションとして次のようなオブジェクトにロードしようとしています:

Products = { Branch1 { Dept1 {ID1,ID2}, 
                       Dept2 {ID3}}, 
             Branch2 { Dept11 {ID4, ID5, ID6}}, 
             Branch3 { Dept21 {ID7 }
           }

そして、私は一晩中一生懸命働いていましたが、正しい解決策を得ることができませんでした. これまでのところ、次のコードを達成しました。

var branches = (from p in ProductsList
    select p.Branch).Distinct();
var products = from s in branches
    select new
    {
        branch = s,
        depts = (from p in ProductsList
            where p.Branch == s
            select new
            {
                dept = p.Dept,
                branch = s,
                prod = (from t in ProductsList
                    where t.Branch = s
                    where t.Dept == p.Dept
                    select t.ProductID)
            })
    };

ProductsList は、テーブル全体の日付リストのリスト オブジェクトです。

早い段階でどんな助けでも大歓迎です。前もって感謝します!

4

2 に答える 2

0

もしかして、こういうこと?

Products.
    .Select(prop => prop.Branch)
    .Distinct()
    .Select(b => new 
    {
        Branch = b,
        Departments = Products
            .Where(p => p.Branch == b)
            .Select(p => p.Dept)
            .Distinct()
            .Select(d => new 
            {
                Products = Products
                    .Where(p => p.Department == d)
                    .Select(p => p.ProductID)
                    .Distinct()
            })
    })
于 2013-05-23T09:41:06.400 に答える
0

あなたが本当にlinqを使いたいなら、私はそのようなものを選びます。

場合によっては、いくつかの foreach の方がはるかに明確です!

var myDic = ProductList
                .GroupBy(m => m.Branch)
                .ToDictionary(
                    m => m.Key,
                    m => m.GroupBy(x => x.Dept)
                          .ToDictionary(
                              x => x.Key,
                              x => x.Select(z => z.ProductId)));

結果は

Dictionary<string, Dictionary<string, IEnumerable<string>>>

ここで、最初の辞書キーはBranch、内部辞書キーはDept、文字列リストはProductId

あなたの望む結果に対応しているようです。

于 2013-05-23T09:37:49.267 に答える