12

我之前问过一个问题,为什么 Linq 中的左连接不能使用已定义的关系;到目前为止,我还没有得到满意的答复。

现在,在平行轨道上,我已经接受我需要使用join关键字,就好像我的对象之间没有定义任何关系一样,我正在尝试找出如何在 Linq 中表达我的查询。麻烦的是,它是多个表之间的左连接的集合,连接中涉及多个字段。没有办法简化这一点,所以这里是 SQL 的所有未加掩饰的荣耀:

select *
from TreatmentPlan tp
join TreatmentPlanDetail tpd on tpd.TreatmentPlanID = tp.ID
join TreatmentAuthorization auth on auth.TreatmentPlanDetailID = tpd.ID
left join PatientServicePrescription rx on tpd.ServiceTypeID = rx.ServiceTypeID
left join PayerServiceTypeRules pstr on auth.PayerID = pstr.PayerID and tpd.ServiceTypeID = pstr.ServiceTypeID and pstr.RequiresPrescription = 1
where tp.PatientID = @PatientID

(仅供参考,如果它有助于理解我正在尝试做的事情:我正在尝试确定是否有任何TreatmentPlanDetail记录,Patient而授权Payer需要为此开具处方ServiceType,但要么没有ServicePerscription记录,要么已经过期。 )

现在,这是我的 C# 代码的样子:

var q = from tp in TreatmentPlans
        from tpd in tp.Details
        from auth in tpd.Authorizations
        join rx in ServicePrescriptions.DefaultIfEmpty() on tpd.ServiceTypeID equals rx.ServiceTypeID
        // from pstr in auth.Payer.ServiceTypeRules.DefaultIfEmpty() -- very frustrating that this doesn't work!!
        join pstr in LinqUtils.GetTable<PayerServiceTypeRules>().DefaultIfEmpty()
        on new { auth.PayerID, tpd.ServiceTypeID, RxReq = (bool)true } equals new { pstr.PayerID, pstr.ServiceTypeID, pstr.RequiresPrescription }
        select new { Payer = auth.Payer, Prescription = rx, TreatmentPlanDetail = tpd, Rules = pstr };

糟糕,无法编译!出于某种原因(我想解释一下)我不能在等值连接中使用那个字面布尔值!好吧,我将其省略,稍后过滤掉“RequiresPrescription”的东西......

...
join pstr in LinqUtils.GetTable<PayerServiceTypeRules>().DefaultIfEmpty()
on new { auth.PayerID, tpd.ServiceTypeID } equals new { pstr.PayerID, pstr.ServiceTypeID }
...

...现在它编译了 - 但是当我运行时,我在这一行得到一个“未设置对象引用”异常。 呃! 当然里面有一个空值!如果不允许您引用右侧的对象,那么您还应该如何与左连接进行比较,这可能是空的?

那么,您应该如何使用多个字段进行左连接?

4

1 回答 1

15

我认为您需要在加入之后into使用关键字并解决缺少的孩子的 DefaultIfEmpty() ,而不是之前:

...
join pstr in LinqUtils.GetTable<PayerServiceTypeRules>()
on new { auth.PayerID, tpd.ServiceTypeID, bool RequiresPrescription = true } 
equals new { pstr.PayerID, pstr.ServiceTypeID, pstr.RequiresPrescription } 
into pstrs
from PSTR in pstrs.DefaultIfEmpty()
select new { 
    Payer = auth.Payer, 
    Prescription = rx, 
    TreatmentPlanDetail = tpd, 
    Rules = PSTR 
};

LinqUtils.GetTable<PayerServiceTypeRules>().DefaultIfEmpty()可能会出现 null ,因为返回的 DataTable 不包含 rows,从而导致您的异常。请注意,整个语句 afterin将在选择之前执行,这不是您想要的行为。如果不存在匹配的行,则需要匹配的行或 null。


对于布尔问题,这是一个命名问题(右侧没有匹配“RxReq”,左侧没有匹配“RequiresPrescription”)。尝试true像上面那样命名“RequiresPrescription”(或命名右侧的pstr.RequiresPrescription“RxReq”)。

于 2009-07-07T17:17:46.993 回答