web-dev-qa-db-ja.com

エンティティフレームワークのGROUPおよびSUM

各顧客の注文アイテムのすべての(有料)価格の合計を選択します。 SQLコマンドは次のとおりです。

SELECT c.name,SUM(oi.price * oi.count) from customer c
JOIN order o ON c.id=o.customer_id
JOIN order_item oi ON o.id=oi.order_id
JOIN bill b ON b.id=oi.bill_id
WHERE b.payment_id is NOT null
GROUP by c.name;

EFでこれを行う方法がわかりません。結果の例:

John Smith  1500,2  
Allan Babel 202,0  
Tina Crown  3500,78

(価格は小数であるため、小数点としてカンマが使用されます。)

15
quin16

あなたの例の結果はあなたのSQLコマンドと一致していないようですが、私はあなたがこのようなものを探していると思います:

var query = from c in context.Customers
            join o in context.Orders on c.id equals o.customer_id
            join oi in context.OrderItems on o.id equals oi.order_id
            join b in context.bill on oi.bill_id equals b.id
            where b.payment_id != null
            group oi by c.name into g
            select new
            {
              Name = g.Key,
              Sum = g.Sum(oi => oi.price * oi.count),
            }
25
Aducci