1. ホーム
  2. c#

[解決済み] LINQ to SQL - 複数の結合条件を持つ左外部結合

2022-04-27 03:26:52

質問

次のようなSQLがあり、LINQに変換しようとしています。

SELECT f.value
FROM period as p 
LEFT OUTER JOIN facts AS f ON p.id = f.periodid AND f.otherid = 17
WHERE p.companyid = 100

左外部結合の典型的な実装を見たことがあります(例. into x from y in x.DefaultIfEmpty() など) を導入することはできますが、もう一方の結合条件 ( AND f.otherid = 17 )

EDIT

なぜ AND f.otherid = 17 条件は、WHERE句ではなく、JOINの一部なのでしょうか? それは f は、行によっては存在しないかもしれませんが、これらの行を含めたいのです。条件をJOINの後のWHERE句で適用した場合、私が望む動作は得られません。

残念ながらこれ。

from p in context.Periods
join f in context.Facts on p.id equals f.periodid into fg
from fgi in fg.DefaultIfEmpty()
where p.companyid == 100 && fgi.otherid == 17
select f.value

はこれと同等と思われる。

SELECT f.value
FROM period as p 
LEFT OUTER JOIN facts AS f ON p.id = f.periodid 
WHERE p.companyid = 100 AND f.otherid = 17

というのは、私が求めているものとはちょっと違う。

どのように解決するのですか?

を呼び出す前に、結合条件を導入する必要があります。 DefaultIfEmpty() . 私なら、extension methodの構文を使うだけです。

from p in context.Periods
join f in context.Facts on p.id equals f.periodid into fg
from fgi in fg.Where(f => f.otherid == 17).DefaultIfEmpty()
where p.companyid == 100
select f.value

あるいは、サブクエリを使うこともできます。

from p in context.Periods
join f in context.Facts on p.id equals f.periodid into fg
from fgi in (from f in fg
             where f.otherid == 17
             select f).DefaultIfEmpty()
where p.companyid == 100
select f.value