筛选包括LINQ和实体框架中的项
本文关键字:框架 实体 包括 LINQ 筛选 | 更新日期: 2023-09-27 18:20:19
我的应用程序中目前有以下LINQ/EF代码:
var rootCategoryItem = DatabaseContext.Categories
.Include("SubCategories")
.OrderBy(c => c.CategoryOrder)
.Single(c => c.CategoryId == 1);
我知道在EF中,你还不能过滤包含的项目,我可以写一些LINQ代码来过滤掉不需要的子类别。。。但是LINQ代码被转换成了一个可怕的SQL,它是高度未优化的。我也可以编写一个存储过程来完成这项工作(并编写一个比LINQ更好的查询),但我真的想使用纯EF。
所以我只剩下两个选项(除非有人能看到其他选项)。
第一种是循环浏览子类别,删除不需要的子类别:
var subCategoriesToFilter = rootCategoryItem.SubCategories.ToList();
for (int i = 0; i < subCategoriesToFilter.Count; i++)
{
if (subCategoriesToFilter[i].Deleted)
rootCategoryItem.SubCategories.Remove(subCategoriesToFilter[i]);
}
在我看来,第二种选择是:
<ul class="treeview ui-accordion-content ui-helper-reset ui-widget-content ui-corner-bottom ui-accordion ui-widget ui-sortable ui-accordion-content-active">
@foreach (var categoryitem in Model.SubCategories.OrderBy(c => c.CategoryOrder))
{
@if(!Model.Deleted)
{
<li class="treelistitem" id="@Model.CategoryId">
<div class="ui-accordion-header ui-state-default ui-corner-all ui-accordion-icons ui-sortable-handle first">
<span class="clickable">
<span class="ui-accordion-header-icon ui-icon treeviewicon treeviewplus"></span>
<i class="glyphicon glyphicon-folder-open rightfolderpadding"></i><span class="categoryname">@Model.CategoryName</span>
</span>
</div>
</li>
}
}
</ul>
在这两个选项中,哪一个是最好的选择?还是我缺少了另一个选择?
解决方案
好吧,Servy的答案非常正确,我不得不修改他的答案以使其发挥作用:
var rootCategoryItem = DatabaseContext.Categories
.OrderBy(c => c.CategoryId)
.ToList().Select(c => new Category()
{
SubCategories = c.SubCategories.Where(sub => !sub.Deleted).ToList(), //make sure only undeleted subcategories are returned
CategoryId = c.CategoryId,
CategoryName = c.CategoryName,
Category_ParentID = c.Category_ParentID,
CategoryOrder = c.CategoryOrder,
Parent_Category = c.Parent_Category,
Deleted = c.Deleted
}).Single(c => c.CategoryId == 1);
我在尝试让Servy的解决方案发挥作用时出现了几个错误:
无法在LINQ to Entities查询中构造实体或复杂类型".Category"
无法将类型隐式转换为System.Collections.Generic.ICollection。存在显式转换(是否缺少强制转换?)
这一切都是通过在Select()方法之前添加.ToList()来解决的。
虽然无法筛选通过Include
包含的集合,但可以使用Select
将该集合投影到已筛选的集合中。
var rootCategoryItem = DatabaseContext.Categories
.OrderBy(c => c.CategoryOrder)
.Select(c => new Category()
{
SubCategories = c.SubCategories.Where(sub => !sub.Deleted)
.OrderBy(sub => sub.CategoryOrder),
c.CategoryId,
c.CategoryName,
//include any other fields needed here
})
.Single(c => c.CategoryId == 1);
我发现这种方式看起来更干净、更短。不确定数据库影响
var rootCategoryItem = DatabaseContext.Categories.SingleOrDefault();
if (rootCategoryItem == null) return null;
{
rootCategoryItem.Items = rootCategoryItem ?.Items.Where(x => !x.IsDeleted).ToList();
return rootCategoryItem;
}
您在这里关注的问题是表示问题(仅显示未删除的类别)。这表明方法2是您的最佳选择。
但是,我怀疑您需要在系统中经常使用未删除的类别。这将表明你应该有一个函数,可以始终如一地返回未删除的类别,供你在任何需要的地方使用
因此,我推荐方法1。