如何使实体框架对给定的代码只调用DB一次

本文关键字:代码 调用 DB 一次 实体 何使 框架 | 更新日期: 2023-09-27 17:59:02

我必须检查PatientChartImage表中是否存在PatientChartImage。如果图像存在,我会将其分配给现有对象。我在EF 4.0 中使用以下代码

IEnumerable<PatientChartImage> pcimages = from pcImage in context.PatientChartImages
                                        where pcImage.PatientImageID == id
                                        select pcImage;
if (pcimages.Any())
{
   pcimage = pcimages.First();                                        
   isNewImage = false;
}
else
{ 
   isNewImage = true; 
}

Sql Profiler显示2个调用

  1. 第一个是pcimages。Any()
  2. 第二个是pcimages。第一个()

我如何才能让这个代码只调用DB一次。

如何使实体框架对给定的代码只调用DB一次

改为使用FirstOrDefault()

返回序列,或者如果序列不包含任何元素。

PatientChartImage pcimage = (from pcImage in context.PatientChartImages
                                  where pcImage.PatientImageID == id
                                  select pcImage).FirstOrDefault();
isNewImage = pcimage!=null;

就我个人而言,在这种情况下我会使用lambda语法:

PatientChartImage pcimage = context.PatientChartImages
                                   .Where( x => x.PatientImageID == id)
                                   .FirstOrDefault();

做这样的事情怎么样:

pcimage = pcimages.FirstOrDefault();
isNewImage = pcimage != null;

如果没有可用的图像或查询序列中的第一个图像,则调用first或default将返回null。这应该只会导致一个DB命中。

var pcimage = (from pcImage in context.PatientChartImages
                                        where pcImage.PatientImageID == id
                                        select pcImage).FirstOrDefault();
isNewImage = pcimage != null;

调用pcimages。FirstOrDefault()然后在进行处理之前检查它是否为null。

像这个

pcimage = pcimages.FirstOrDefault();
if (pcimage != null) {    
   isNewImage = false;
} else {     
   isNewImage = true;  
}