如何使用GroupBy和OrderBy将LINQ-to-SQL查询投影到自定义对象中

本文关键字:投影 自定义 对象 查询 LINQ-to-SQL GroupBy 何使用 OrderBy | 更新日期: 2023-09-27 18:08:36

我正在尝试转换此查询,以便它将输出到自定义DTO类型对象。我只想获得我传入的int[]的最高修订号的页面。

return from page in db.Pages
               where intItemIdArray.Contains(page.pageId)
               group page by page.pageId into g
               orderby g.Max(x => x.pageId)
               select g.OrderByDescending(t => t.revision).First();

但是当我试图替换

select g.OrderByDescending(t => t.revision).First();

select (new JPage {pageid = g.pageId, title = g.title, etc})
    .OrderByDescending(t => t.revision)
    .First();
它坏了,谁能帮我一下吗?

这是我目前使用的,我不喜欢,但它工作得很好,目前我不需要优化。

如果有人能改进这一点就太好了。

var pages = from page in db.Pages
               where intItemIdArray.Contains(page.pageId)
               group page by page.pageId into g
               orderby g.Max(x => x.pageId)
               select g.OrderByDescending(t => t.revision).First();
        return pages.Select(x => new JPage() { 
            pageId = x.pageId,
            pageKey = x.pageKey,
            title = x.title,
            body = x.body,
            isFolder = x.isFolder.ToString(),
            leftNode = x.leftNode,
            rightNode = x.rightNode,
            revision = x.revision,
            sort = x.sort,
            createdBy = x.createdBy.ToString(),
            createdDate = Utility.DateTimeToUnixTimeStamp(x.createdDate).ToString(),
            modifiedDate = Utility.DateTimeToUnixTimeStamp(x.modifiedDate).ToString(),
            pageVariationId = x.pagesVariationId,
            parentId = x.parentId
        })
        .AsQueryable(); 

如何使用GroupBy和OrderBy将LINQ-to-SQL查询投影到自定义对象中

我建议您在选择之前先订购;即,而不是

select (new JPage {pageid = g.pageId, title = g.title, etc}
    .OrderByDescending(t => t.revision).First();

你应该试试

.OrderByDescending(t => t.revision)
    .Select(new JPage {pageid = g.pageId, title = g.title, etc})
    .First();

如果之前的'select'的结果中不存在'revision',则不能按'revision'排序

这应该是一个小小的改进

var pages = from page in db.Pages
               where intItemIdArray.Contains(page.pageId)
               group page by page.pageId into g
               select g.First(a => a.revision == g.Max(b => b.revision));