使用我的ViewModels实现IPagedList

时间:2016-06-27 12:33:33

标签: c# asp.net-mvc list pagination pagedlist

我在我的ASP.NET MVC应用程序上使用NuGet PagedList.Mvc,我想返回查看placesVM.ToPagedList(pageNumber,pageSize)

我尝试使用PagedList<>而不是List<>。

我检查过的示例似乎与我的情景不符,或者是吗?

Bellow你可以找到我的实际代码。

视图模型

using PagedList;
using System.Collections.Generic;

namespace WhereWeDoIt.ViewModels
{
    public class PlacesIndexViewModel
    {
        public /*PagedList*/List<PlaceIndexViewModel> Places { get; set; }
        public string CurrentUserId { get; set; }
    }
}

控制器

public ActionResult Index(int? page)
{
    var config = new MapperConfiguration(cfg => cfg.CreateMap<Place, PlaceIndexViewModel>());
    var mapper = config.CreateMapper();

    var placesVm = new PlacesIndexViewModel { Places = new List<PlaceIndexViewModel>(), 
                                            CurrentUserId = User.Identity.GetUserId() };

    var placesBal = new PlaceBusinessLayer();
    var places = placesBal.GetAllPublic();

    placesVm.Places = mapper.Map<List<PlaceIndexViewModel>>(places);

    int pageSize = 3;
    int pageNumber = (page ?? 1);

    return View(placesVm/*.ToPagedList(pageNumber, pageSize)*/);
}

1 个答案:

答案 0 :(得分:3)

如果您要将数据库中的记录映射到视图模型,则需要使用StaticPagedList

总的来说,斯蒂芬对你有一些好处。您的repo方法应该返回一个可查询的,而不是一个列表,因为在您应用任何分页逻辑之前,它确实会实现所有记录。但是,如果您随后使用AutoMapper将它们映射到视图模型,则仍会出现相同的情况。相反,您必须首先限制您的可查询:

var places = placesBal.GetAllPublic().Skip((pageNumber - 1) * pageSize).Take(pageSize);

您还需要单独的查询来获取总计数。在一个查询中无法完成所有操作,但计数查询很快。在这里,您不限制查询集,因为您需要总计数,而不仅仅是当前页面上的总计数。

var totalPlaces = placesBal.GetAllPublic().Count();

然后,映射它:

var mappedPlaces = mapper.Map<List<PlaceIndexViewModel>>(places);

在最终用{:1}创建StaticPagedList的实例之前。

placesVm.Places = new StaticPagedList<PlaceIndexViewModel>(mappedPlaces, pageNumber, pageSize, totalPlaces);