ASP.NET MVCでページ付けを行うにはどうすればよいですか?


85

ASP.NET MVCでページネーションを行うための最も好ましい最も簡単な方法は何ですか?つまり、リストをいくつかの閲覧可能なページに分割する最も簡単な方法は何ですか。

例として、次のようにデータベース/ゲートウェイ/リポジトリから要素のリストを取得するとします。

public ActionResult ListMyItems()
{
    List<Item> list = ItemDB.GetListOfItems();
    ViewData["ItemList"] = list;

    return View();
}

簡単にするために、アクションのページ番号だけをパラメーターとして指定したいと思います。このような:

public ActionResult ListMyItems(int page)
{
   //...
}

回答:


107

さて、データソースは何ですか?あなたの行動はいくつかのデフォルトの引数を取ることができます、すなわち

ActionResult Search(string query, int startIndex, int pageSize) {...}

startIndexが0で、pageSizeが(たとえば)20になるように、ルート設定でデフォルト設定されています。

        routes.MapRoute("Search", "Search/{query}/{startIndex}",
                        new
                        {
                            controller = "Home", action = "Search",
                            startIndex = 0, pageSize = 20
                        });

フィードを分割するには、LINQを非常に簡単に使用できます。

var page = source.Skip(startIndex).Take(pageSize);

(または、「startIndex」ではなく「pageNumber」を使用する場合は乗算を実行します)

LINQ-toSQL、EFなどの場合、これもデータベースに「構成」する必要があります。

これで、次のページ(など)へのアクションリンクを使用できるようになります。

<%=Html.ActionLink("next page", "Search", new {
                query, startIndex = startIndex + pageSize, pageSize }) %>

3
これは興味深いルーティングの例なので、賛成します。私はまだLINQを使用する溝に入っていないので、Skip andTakeは私にとって初めてです。しかし、それは間違いなく私が必要としているものです。そして、それが私がこれを答えとしてマークする理由です。
Spoike 2009年

素晴らしいもの!どうもありがとうございます。
リック東京

MVC2を使用するとActionLink、ページを要求するときに構文エラーが発生します。CS0103:名前 'startIndex'は現在のコンテキストに存在しません。このテクニックはMVC2では不可能ですか?
comecme 2012

@comecme最後の行を意味しますか?これらの値(または変数)を指定する必要があります。何開始インデックス/ページ・サイズのこと?
MarcGravell

1
ええ、私は最後の行を意味します。私はあなたが現在startIndexを使用していて、それに追加pageSizeしていると思いました。の最後の呼び出しの値が自動的に使用されることを望みましたSearch。どのようにして使用することになりstartIndex、最後からSearch私にActionLink
comecme 2012

16

私は同じ問題を抱えていて、からのポケットベルクラスの非常にエレガントな解決策を見つけました

http://blogs.taiga.nl/martijn/2008/08/27/paging-with-aspnet-mvc/

コントローラでは、呼び出しは次のようになります。

return View(partnerList.ToPagedList(currentPageIndex, pageSize));

そしてあなたの見解では:

<div class="pager">
    Seite: <%= Html.Pager(ViewData.Model.PageSize, 
                          ViewData.Model.PageNumber,
                          ViewData.Model.TotalItemCount)%>
</div>

ASP.NETMVCプレビュー5用です。ASP.NETMVCベータ版で機能しますか?
Spoike 2009年

リンクが変更され、コードがRC1に更新されました(1.0でも動作すると思いますが、今すぐ試してみます)。 blogs.taiga.nl/martijn/2008/08/27/paging-with-aspnet-mvc
Palantir

16

フロントエンドでこれを行う簡単な方法についても説明したいと思います。

コントローラ:

public ActionResult Index(int page = 0)
{
    const int PageSize = 3; // you can always do something more elegant to set this

    var count = this.dataSource.Count();

    var data = this.dataSource.Skip(page * PageSize).Take(PageSize).ToList();

    this.ViewBag.MaxPage = (count / PageSize) - (count % PageSize == 0 ? 1 : 0);

    this.ViewBag.Page = page;

    return this.View(data);
}

見る:

@* rest of file with view *@

@if (ViewBag.Page > 0)
{
    <a href="@Url.Action("Index", new { page = ViewBag.Page - 1 })" 
       class="btn btn-default">
        &laquo; Prev
    </a>
}
@if (ViewBag.Page < ViewBag.MaxPage)
{
    <a href="@Url.Action("Index", new { page = ViewBag.Page + 1 })" 
       class="btn btn-default">
        Next &raquo;
    </a>
}

3
var data = this.dataSource.Skip(page * PageSize).Take(PageSize).ToList();orderBy(o => o.Id)使用する前にskip()||が必要です それに加えて、これはもっと多くの賛成に値する素晴らしい答えです。
Vahx 2016年

4

ここだリンクこれで私を助けました。

PagedList.MVCNuGetパッケージを使用します。手順をまとめてみます

  1. PagedList.MVCNuGetパッケージをインストールします

  2. プロジェクトを構築する

  3. コントローラに追加using PagedList;

  4. アクションを変更してページを設定する public ActionResult ListMyItems(int? page) { List list = ItemDB.GetListOfItems(); int pageSize = 3; int pageNumber = (page ?? 1); return View(list.ToPagedList(pageNumber, pageSize)); }

  5. ビューの下部にページングリンクを追加します @*Your existing view*@ Page @(Model.PageCount < Model.PageNumber ? 0 : Model.PageNumber) of @Model.PageCount @Html.PagedListPager(Model, page => Url.Action("Index", new { page, sortOrder = ViewBag.CurrentSort, currentFilter = ViewBag.CurrentFilter }))


1
私はこれが古い質問であることを知っています。それがこの回答に多くの賛成票がない理由です。しかし、これが最良の最新のソリューションであるため、そうすべきです。PagedListデモ
omgGenerics

2

コントローラ

 [HttpGet]
    public async Task<ActionResult> Index(int page =1)
    {
        if (page < 0 || page ==0 )
        {
            page = 1;
        }
        int pageSize = 5;
        int totalPage = 0;
        int totalRecord = 0;
        BusinessLayer bll = new BusinessLayer();
        MatchModel matchmodel = new MatchModel();
        matchmodel.GetMatchList = bll.GetMatchCore(page, pageSize, out totalRecord, out totalPage);
        ViewBag.dbCount = totalPage;
        return View(matchmodel);
    }

ビジネスの論理

  public List<Match> GetMatchCore(int page, int pageSize, out int totalRecord, out int totalPage)
    {
        SignalRDataContext db = new SignalRDataContext();
        var query = new List<Match>();
        totalRecord = db.Matches.Count();
        totalPage = (totalRecord / pageSize) + ((totalRecord % pageSize) > 0 ? 1 : 0);
        query = db.Matches.OrderBy(a => a.QuestionID).Skip(((page - 1) * pageSize)).Take(pageSize).ToList();
        return query;
    }

合計ページ数を表示するためのビュー

 if (ViewBag.dbCount != null)
    {
        for (int i = 1; i <= ViewBag.dbCount; i++)
        {
            <ul class="pagination">
                <li>@Html.ActionLink(@i.ToString(), "Index", "Grid", new { page = @i },null)</li> 
            </ul>
        }
    }

2

ASP.NET MVCアプリケーションでページネーションを作成する最も簡単な方法は、PagedListライブラリを使用することだと思います。

次のgithubリポジトリに完全な例があります。それがお役に立てば幸いです。

public class ProductController : Controller
{
    public object Index(int? page)
    {
        var list = ItemDB.GetListOfItems();

        var pageNumber = page ?? 1; 
        var onePageOfItem = list.ToPagedList(pageNumber, 25); // will only contain 25 items max because of the pageSize

        ViewBag.onePageOfItem = onePageOfProducts;
        return View();
    }
}

デモリンク:http//ajaxpagination.azurewebsites.net/

ソースコード:https//github.com/ungleng/SimpleAjaxPagedListAndSearchMVC5


1

エンティティ

public class PageEntity
{
    public int Page { get; set; }
    public string Class { get; set; }
}

public class Pagination
{
    public List<PageEntity> Pages { get; set; }
    public int Next { get; set; }
    public int Previous { get; set; }
    public string NextClass { get; set; }
    public string PreviousClass { get; set; }
    public bool Display { get; set; }
    public string Query { get; set; }
}

HTML

<nav>
    <div class="navigation" style="text-align: center">
        <ul class="pagination">
            <li class="page-item @Model.NextClass"><a class="page-link" href="?page=@(@Model.Previous+@Model.Query)">&laquo;</a></li>
            @foreach (var item in @Model.Pages)
            {
                <li class="page-item @item.Class"><a class="page-link" href="?page=@(item.Page+@Model.Query)">@item.Page</a></li>
            }
            <li class="page-item @Model.NextClass"><a class="page-link" href="?page=@(@Model.Next+@Model.Query)">&raquo;</a></li>
        </ul>
    </div>
 </nav>

ページングロジック

public Pagination GetCategoryPaging(int currentPage, int recordCount, string query)
{
    string pageClass = string.Empty; int pageSize = 10, innerCount = 5;

    Pagination pagination = new Pagination();
    pagination.Pages = new List<PageEntity>();
    pagination.Next = currentPage + 1;
    pagination.Previous = ((currentPage - 1) > 0) ? (currentPage - 1) : 1;
    pagination.Query = query;

    int totalPages = ((int)recordCount % pageSize) == 0 ? (int)recordCount / pageSize : (int)recordCount / pageSize + 1;

    int loopStart = 1, loopCount = 1;

    if ((currentPage - 2) > 0)
    {
        loopStart = (currentPage - 2);
    }

    for (int i = loopStart; i <= totalPages; i++)
    {
        pagination.Pages.Add(new PageEntity { Page = i, Class = string.Empty });

        if (loopCount == innerCount)
        { break; }

        loopCount++;
    }

    if (totalPages <= innerCount)
    {
        pagination.PreviousClass = "disabled";
    }

    foreach (var item in pagination.Pages.Where(x => x.Page == currentPage))
    {
        item.Class = "active";
    }

    if (pagination.Pages.Count() <= 1)
    {
        pagination.Display = false;
    }

    return pagination;
}

コントローラの使用

public ActionResult GetPages()
{
    int currentPage = 1; string search = string.Empty;
    if (!string.IsNullOrEmpty(Request.QueryString["page"]))
    {
        currentPage = Convert.ToInt32(Request.QueryString["page"]);
    }

    if (!string.IsNullOrEmpty(Request.QueryString["q"]))
    {
        search = "&q=" + Request.QueryString["q"];
    }
    /* to be Fetched from database using count */
    int recordCount = 100;

    Place place = new Place();
    Pagination pagination = place.GetCategoryPaging(currentPage, recordCount, search);

    return PartialView("Controls/_Pagination", pagination);
}

「場所」クラスとは何ですか?
FreeVice 2017年

1
public ActionResult Paging(int? pageno,bool? fwd,bool? bwd)        
{
    if(pageno!=null)
     {
       Session["currentpage"] = pageno;
     }

    using (HatronEntities DB = new HatronEntities())
    {
        if(fwd!=null && (bool)fwd)
        {
            pageno = Convert.ToInt32(Session["currentpage"]) + 1;
            Session["currentpage"] = pageno;
        }
        if (bwd != null && (bool)bwd)
        {
            pageno = Convert.ToInt32(Session["currentpage"]) - 1;
            Session["currentpage"] = pageno;
        }
        if (pageno==null)
        {
            pageno = 1;
        }
        if(pageno<0)
        {
            pageno = 1;
        }
        int total = DB.EmployeePromotion(0, 0, 0).Count();
        int  totalPage = (int)Math.Ceiling((double)total / 20);
        ViewBag.pages = totalPage;
        if (pageno > totalPage)
        {
            pageno = totalPage;
        }
        return View (DB.EmployeePromotion(0,0,0).Skip(GetSkip((int)pageno,20)).Take(20).ToList());     
    }
}

private static int GetSkip(int pageIndex, int take)
{
    return (pageIndex - 1) * take;
}

@model IEnumerable<EmployeePromotion_Result>
@{
  Layout = null;
}

 <!DOCTYPE html>

 <html>
 <head>
    <meta name="viewport" content="width=device-width" />
    <title>Paging</title>
  </head>
  <body>
 <div> 
    <table border="1">
        @foreach (var itm in Model)
        {
 <tr>
   <td>@itm.District</td>
   <td>@itm.employee</td>
   <td>@itm.PromotionTo</td>
 </tr>
        }
    </table>
    <a href="@Url.Action("Paging", "Home",new { pageno=1 })">First  page</a> 
    <a href="@Url.Action("Paging", "Home", new { bwd =true })"><<</a> 
    @for(int itmp =1; itmp< Convert.ToInt32(ViewBag.pages)+1;itmp++)
   {
       <a href="@Url.Action("Paging", "Home",new { pageno=itmp   })">@itmp.ToString()</a>
   }
    <a href="@Url.Action("Paging", "Home", new { fwd = true })">>></a> 
    <a href="@Url.Action("Paging", "Home", new { pageno =                                                                               Convert.ToInt32(ViewBag.pages) })">Last page</a> 
</div>
   </body>
  </html>
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.