Click here to Skip to main content
15,861,366 members
Articles / Web Development / ASP.NET

A Neat Solution to GridView Custom Paging

Rate me:
Please Sign up or sign in to vote.
4.57/5 (37 votes)
5 Jun 2007CPOL6 min read 252.1K   2.2K   95   84
This article shows how to easily extend the GridView to support custom paging and remove the restriction of using ObjectDataSource as the data source.

Screenshot - customerPagingSmall.png

Introduction

The GridView control in ASP.NET 2.0 provides great support for standard paging when binding to a data source that contains more items than the page size. In a simple application with small data sets, this is often an adequate solution. However, in a larger project where you have like 10000 records to display, it is inefficient to pull back all the data to bind to the GridView using the standard built-in pagination feature. We need to have custom paging and deal with data blocks dynamically. Looking at the solutions available on CodeProject, MSDN, and Google, I found two suggestions. The first suggestion is to provide a custom pager where you will create your own page navigation controls, handle all the events, and deal with the display. The second suggestion emphasizes using the SelectCountMethod in ObjectDataSource to return the virtual item count, which the GridView will use for setting up its pagination. This suggestion seems adequate and elegant, but it doesn't work if your data source is not an ObjectDataSource. In our current project, our data source is mostly DataTable or a GenericContainer (such as List<T>) of some business objects that are returned through the business services tier, hence the ObjectDataSource solution doesn't fit in well. Many have experienced the same problem, and without a choice they resolved to create their own pager. This is very frustrating and if you have gone through a similar experience, you will understand where I'm coming from and really appreciate this article.

I think a neat solution to custom pagination is to allow setting of the VirtualItemCount property just like in DataGrid and not to restrict the user to only using ObjectDataSource while fully utilizing the paging display and interaction already built-in to the GridView. This inspired me to write the PagingGridView control and this article.

This article intentionally focuses on the GridView paging display and interaction aspects and not on retrieving of the data block. However, to be complete, I have included an example of retrieving a page block of rows from SQL Server 2005 using the ROW_NUMBER() feature.

Using the Code

If you include the PagingGridView in your ASP.NET Web Application project or a Class Library that is referenced by your ASP.NET Web Site project, the PagingGridView component will appear in your toolbox. To add it to your page, you can just drag and drop it the same way you would use any other web control.

Or if you wish to add in the code manually to the ASCX/ASPX file, first you have to register the tag in the beginning of the file and include the PagingGridView control element qualified by the TagPrefix. See the example below:

ASP.NET
<%@ Register Assembly="PagingGridView" 
             Namespace="Fadrian.Web.Control" TagPrefix="cc1" %> 

... 

<cc1:PagingGridView ID="PagingGridView2" runat="server"/>

PagingGridView Code Explanation

Achieving the paging functionality described above is actually quite simple The key to the implementation lies in the InitializePager method. PagingGridView overrides this method and checks if CustomPaging is turned on. If custom paging is turned on, then we have a few settings to tweak so that the pager will render the virtual item in the data source and also the current page index correctly.

C#
protected override void InitializePager(GridViewRow row, 
          int columnSpan, PagedDataSource pagedDataSource)
{
    // This method is called to initialise the pager
    // on the grid. We intercepted this and override
    // the values of pagedDataSource to achieve
    // the custom paging using the default pager supplied
    if (CustomPaging)
    {
        pagedDataSource.AllowCustomPaging = true;
        pagedDataSource.VirtualCount = VirtualItemCount;
        pagedDataSource.CurrentPageIndex = CurrentPageIndex;
    }
    base.InitializePager(row, columnSpan, pagedDataSource);
}

PagingGridView exposes a public property VirtualItemCount. The default value of this property is -1 and the user can set this value to any integer value. If this value is set to anything other than -1, the CustomPaging property will return true to indicate CustomPaging is turned on for this control.

C#
public int VirtualItemCount
{
    get 
    {
        if (ViewState["pgv_vitemcount"] == null)
            ViewState["pgv_vitemcount"] = -1;
        return Convert.ToInt32(ViewState["pgv_vitemcount"]);
    }
    set { ViewState["pgv_vitemcount"] = value; }
}

private bool CustomPaging
{
    get { return (VirtualItemCount != -1); }
}

There is an internal property CurrentPageIndex in this control to store the current page index. The question raised here is why don't we just use PageIndex? PageIndex stores the current PageIndex of the GridView, but in a custom paging scenario, every time we bind a new data source (calling DataBind), PageIndex will reset to 0 if the number of items in the data source is less than or equal to the PageSize. In our case where we pull back page block data only, the number of items in the data source is always going to be the same as the PageSize, hence PageIndex will always be reset. We solve this problem by introducing the CurrentPageIndex and we capture the value and store it to the ViewState every time we set the DataSource.

C#
private int CurrentPageIndex
{
    get
    {
        if (ViewState["pgv_pageindex"] == null)
            ViewState["pgv_pageindex"] = 0;
        return Convert.ToInt32(ViewState["pgv_pageindex"]);
    }
    set { ViewState["pgv_pageindex"] = value; }
} 

public override object DataSource 
{
   get { return base.DataSource; }
   set
   {
      base.DataSource = value;
      // we store the page index here so we dont lost it in databind
      CurrentPageIndex = PageIndex;
   }
}

Data Source and Paged Data

This article is not intended to go into the details of how to retrieve paged data from a database; instead, it provides information here for completeness of demonstrating the use of the PagingGridView control with data coming from a SQL Server 2005 database. To keep things simple in the sample code, all queries are written in code, avoiding the risk of SQL Injection or efficiency overheads compared to using Stored Procedures.

To support custom paging, we really need at least two things: the total number of records that we want to display (we set this to the VirtualItemCount) and the data that will be used to display the specific page item. The code below presents the GetRowCount method which is just a simple SELECT COUNT (*) SQL statement to retrieve the row count.

The GetDataPage method is implemented to retrieve a specific block of records for the specific page to display on the grid using the ROW_NUMBER() feature of SQL Server 2005. The SQL statement in this method retrieves the top x records of interest ordered by ROW_NUM in the inner Select statement, and the outer Select statement filters out the rows further using the WHERE clause. For example, if we are interested in retrieving a block of records for PageIndex = 3 where the PageSize is set to 20, the resultant block of records we want to display is rows 61-80. Using the same example, the SQL in the code below when executed will have an inner Select that retrieves the "TOP 80" rows, and the outer Select then filters out all the rows <= 60 through the "ROW_NUM > 60" expression to return the 20 records (rows 61-80).

For more information on using ROW_NUMBER(), please refer to MSDN or other online articles.

C#
private const string demoConnString = 
     @"Integrated Security=SSPI;Persist Security Info=False;" + 
     @"Initial Catalog=NorthwindSQL;Data Source=localhost\SQLEXPRESS";
private const string demoTableName = "Customers";
private const string demoTableDefaultOrderBy = "CustomerID";
private int GetRowCount()
{
    using (SqlConnection conn = new SqlConnection(demoConnString))
    {
        conn.Open();
        SqlCommand comm = new SqlCommand(@"SELECT COUNT(*) FROM " + demoTableName, conn);
        int count = Convert.ToInt32(comm.ExecuteScalar());
        conn.Close();
        return count;
    }
} 

private DataTable GetDataPage(int pageIndex, int pageSize, string sortExpression)
{
    using (SqlConnection conn = new SqlConnection(demoConnString))
    {
        // We always need a default sort field for ROW_NUMBER() to work correctly
        if (sortExpression.Trim().Length == 0)
        sortExpression = demoTableDefaultOrderBy;
        conn.Open();

        string commandText = string.Format(
            "SELECT * FROM (select TOP {0} ROW_NUMBER() OVER (ORDER BY {1}) as ROW_NUM, * " 
            +"FROM {2} ORDER BY ROW_NUM) innerSelect WHERE ROW_NUM > {3}",
        ((pageIndex + 1) * pageSize), 
        sortExpression, 
        demoTableName,
        (pageIndex * pageSize)); 

        SqlDataAdapter adapter = new SqlDataAdapter(commandText, conn);
        DataTable dt = new DataTable();
        adapter.Fill(dt);
        conn.Close();
        dt.Columns.Remove("ROW_NUM");
        return dt;
    }
}

In case you are wondering where the sample data for this article comes from, I created the NorthwindSQL database by opening the Northwind Access database and used the Upsizing wizard to create a new database (complete schema with data) in my SQL Server 2005 Express. You can repeat this process to recreate the data to test the code, or otherwise simply modify demoConnString, demoTableName, and demoTableDefaultOrderBy to reflect your data store.

In Action

To allow custom paging in your target page, you will have to set VirtualItemCount in code or set it in the property window of the PagingGridView control. In the example below, we set VirtualItemCount to a value returned by a method that returns the row count of the total records that we want to retrieve.

Syntactically, we code the DataSource and DataBind of the PagingGridView exactly the same as with GridView. All you need is to keep clearly in mind that when we are assigning the DataSource, whether it is a DataTable or a GenericContainer, the data set should only contain the data items for that page; otherwise, we are just wasting all our effort for enabling CustomPaging :)

C#
protected void Page_Load(object sender, EventArgs e)
{
    if (!this.IsPostBack)
    {
        PagingGridView1.VirtualItemCount = GetRowCount();
        BindPagingGrid();
    }
} 

protected void PagingGridView1_PageIndexChanging(object sender, GridViewPageEventArgs e)
{
    PagingGridView1.PageIndex = e.NewPageIndex;
    BindPagingGrid();
} 

private void BindPagingGrid()
{
    PagingGridView1.DataSource = GetDataPage(PagingGridView1.PageIndex,
    PagingGridView1.PageSize, PagingGridView1.OrderBy);
    PagingGridView1.DataBind();
}

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect SMS Management and Technology
Australia Australia
Fadrian Sudaman is an experienced IT professional who has worked with .NET technology since the early beta. His background stems from a strong C/C++ development experience in building large commercial applications and great appreciation for best practice and modern approaches for building quality software. Currently, Fadrian works as a senior consultant specialises in .NET technology involved in variety of roles including project management, solution architecture, presales and application development. Fadrian is also completing his PhD part time at Monash University, Australia.

Comments and Discussions

 
PraiseWorks well,thank you Pin
soulfiremage2-Dec-22 4:33
soulfiremage2-Dec-22 4:33 
QuestionPagination Lost in asynch postback Pin
ss9o9o9o6-Jun-17 4:00
ss9o9o9o6-Jun-17 4:00 
QuestionBe advised that .NET 4.5 contains its own GridView.VirtualItemCount Property Pin
mergs19-Apr-16 13:29
mergs19-Apr-16 13:29 
QuestionIssue with PagingGridView in update panel Pin
balulan10-May-15 12:33
balulan10-May-15 12:33 
BugCausing an error on Last Page Postbacks Pin
Aamir Wahee29-Nov-13 9:41
professionalAamir Wahee29-Nov-13 9:41 
Questionnamespace and the tagprefix is not woriking Pin
antomic0723-Jun-11 23:18
antomic0723-Jun-11 23:18 
GeneralGot it to work with my standard SQLDataSource Pin
Joe Politzer3-Nov-10 5:32
Joe Politzer3-Nov-10 5:32 
Questionneeeeed Helppp !!!! Urgent Pin
ssk020213-Sep-10 9:47
ssk020213-Sep-10 9:47 
AnswerRe: neeeeed Helppp !!!! Urgent Pin
Fadrian Sudaman13-Sep-10 15:30
Fadrian Sudaman13-Sep-10 15:30 
GeneralRe: neeeeed Helppp !!!! Urgent Pin
ssk020214-Sep-10 9:32
ssk020214-Sep-10 9:32 
GeneralRe: neeeeed Helppp !!!! Urgent Pin
Fadrian Sudaman14-Sep-10 15:35
Fadrian Sudaman14-Sep-10 15:35 
QuestionHow to change from existing situation? Pin
Malay Thakershi29-Aug-10 10:58
Malay Thakershi29-Aug-10 10:58 
AnswerRe: How to change from existing situation? Pin
Fadrian Sudaman13-Sep-10 15:25
Fadrian Sudaman13-Sep-10 15:25 
GeneralAdding Edit/Delete buttons - loses PageIndex Pin
naturtle27-May-10 16:46
naturtle27-May-10 16:46 
GeneralRe: Adding Edit/Delete buttons - loses PageIndex Pin
naturtle27-May-10 20:41
naturtle27-May-10 20:41 
Generalsize of page number Pin
Marcelo_Cardozo16-Oct-09 10:02
Marcelo_Cardozo16-Oct-09 10:02 
hi sir:
Since I can do to change the size of the number of page for example with the parameter font-size it does not work.
Regards

Marcelo

MArcelo CArdozo

QuestionHow can I implement the same functionality in MySql? Pin
sob22-Sep-09 20:08
sob22-Sep-09 20:08 
AnswerRe: How can I implement the same functionality in MySql? Pin
Fadrian Sudaman23-Sep-09 14:52
Fadrian Sudaman23-Sep-09 14:52 
GeneralGeneric List as datasource Pin
vyrus10-Aug-09 23:59
vyrus10-Aug-09 23:59 
GeneralRe: Generic List as datasource Pin
Fadrian Sudaman18-Aug-09 4:21
Fadrian Sudaman18-Aug-09 4:21 
GeneralEvents of other controls in the Grid dont get fired Pin
raven052222-Jun-09 6:25
raven052222-Jun-09 6:25 
GeneralRe: Events of other controls in the Grid dont get fired Pin
Fadrian Sudaman18-Aug-09 4:02
Fadrian Sudaman18-Aug-09 4:02 
GeneralButtonField messed up Paging in the last page Pin
wijesijp11-May-09 2:03
wijesijp11-May-09 2:03 
GeneralRe: ButtonField messed up Paging in the last page Pin
Fadrian Sudaman18-Aug-09 4:07
Fadrian Sudaman18-Aug-09 4:07 
GeneralRe: ButtonField messed up Paging in the last page Pin
Fadrian Sudaman18-Aug-09 4:17
Fadrian Sudaman18-Aug-09 4:17 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.