sql中的左外连接问题
本文关键字:连接 问题 sql | 更新日期: 2023-09-27 17:50:00
你好,我有5张表。必要的关系如下
IdStartDate可以EndDateIsDeleted
Id名称
YearlyTarget IdCodeIdPeriodIdYTAmountIsDeleted
AlteredTarget IdYearlyTargetIdAltAmountIsDeleted
实际IdAlteredTargetIdActualAmountIsDeleted
我有4个季度的年度数据。
所有季度都有YearlyTarget,第一季度有AlteredTarget,没有Actual。我的查询如下:
from cl in this.Context.Codes
join ytl in this.Context.YearlyTargets on cl.Id equals ytl.CodeId
join pl in this.Context.Periods on ytl.PeriodId equals pl.Id
join atl in this.Context.AlteredTargets on ytl.Id equals cdpl.YearlyTargetId into ccl
join al in this.Context.Actuals on ytl.Id equals al.AlteredTargets.YearlyTargetId into cal
from cc in ccl.DefaultIfEmpty()
from ca in cal.DefaultIfEmpty()
where cc.IsDeleted == false && ca.IsDeleted == false
select new
{
Year = pl.EndDate.Year,
PeriodType = (PeriodType)pl.PeriodType,
PeriodName = pl.StartDate,
CodeName = cl.CodeName,
YT = ytl.TargetAmount,
CDP = cc.AltAmount,
Actual = ca.ActualAmount
};
查询返回空。有人能告诉我这个查询有什么问题吗?谢谢! !
我猜是where
条款把你搞砸了。不要忘记cc
和ca
可以是空的。尝试将where
子句更改为:
where (cc == null || !cc.IsDeleted) && (ca == null || !ca.IsDeleted)
您可能还需要更改使用cc
和ca
的投影:
CDP = cc == null ? 0 : cc.AltAmount,
Actual = ca == null ? 0 : ca.ActualAmount
对于现有的where
子句,一个可能更好的替代方案是将IsDeleted
的检查放入连接中:
join al in this.Context.Actuals.Where(x => !x.IsDeleted)
on ytl.Id equals al.AlteredTargets.YearlyTargetId into cal
,另一个也一样。注意,如果实际值确实存在,但是它们都被删除了,那么这会改变查询的含义。我怀疑它会改变你想要的行为,尽管…