Click here to Skip to main content
15,867,308 members
Articles / Desktop Programming / WPF

Small Paging Control for Windows Presentation Foundation (WPF)

Rate me:
Please Sign up or sign in to vote.
5.00/5 (13 votes)
27 Jun 2012CPOL5 min read 59.1K   4.3K   33   16
A small control to control paging in Windows Presentation Foundation.

Sample Image - maximum width is 600 pixels

Introduction

The paging solution is a common problem in Web Application, but it not so common in Windows applications. I need to paging in my actual work and I discovered that I cannot found a control in WPF to controlling the paging action. Then I decide to construct a simple control to paging the DataGrid or another Data Control in WPF. The control is not attached to the grid control, but can be used with other data controls. You can see the control at work in the article first image.

Background

I my solution I need to paging the user result in order to stop large processing of data without a real use for the users. I am not found a developed control for WPF (maybe I don't make a big research) but I found a very useful article, that was used as basis to design this control. The article in question can be found in [1] and it was written by Ben Foster. The article does not develop the control itself, but gave me the basis to develop a paging control. In fact the articles describes de basic interface for a paging class, and methods to access different data origin

The work principia for a paging control is to be aware the application when a user want to change the data page. Besides the paging should do the following task:

  • Track the total record count to be show,
  • The quantity (in items row) to be show by each page in the data bound control (Page Size).
  • Track the Index position of the page index.
  • Control the visibility of the control buttons, to aid the user in does not send index changed without sense.

A description of the function can be see in Image 2.

Sample Image - maximum width is 600 pixels

Besides this, the control should offer support to configure the control in the AXML code. In order to get this, the three necessary properties are declared as dependency properties, and can be configured in the XAML code. Also the ChangeindexEvent is rerouted as a Command in order to be executed by the windows or by an MVVC architecture.

The next picture show the reveled properties and visual interactions that the user can do with the control, and the program can use to operate it:

Sample Image - maximum width is 600 pixels

Both the index button and the Change Page Size, generate a ChangeIndex Event to notify the container that the page index was changed. In case of PageSize the index in automatically set to 1 to avoid possible false values because the page size changed.

In the following section is described how to use this control in a simple application.

Using the code

To use the example and code you need the following:

  • SQL Server or SQL Express installed in your computer (2005 or 2008).
  • The Northwind database ( you can find the proper version for you at http://sqlserversamples.codeplex.com/)
  • Before you running the example or run the code, please open the config file or the properties in code, and make the necessary changes in your computer in order to work with your configuration.

We describe here step by step with an example how to use this control in the code behind of your windows.

As you see in the source code, all files of the control are in the GridPaging folder.

Folder of Paging Control

You can copy de folder to your project, or you can compile a individual DLL as you wish. When you build the project, you can see in your toolbox the GridPaging control. Drag and drop it in your windows surface in the position that you want to use it.

Folder of Paging Control

Personalize your control as you want, you can see it in the Source tab as the following:

XAML Code to use the control

To use the control you should implement the custom command to be used as communication with the control. To implement a command as you can see in the example you do the following actions:

C#
/// Initializes a new instance of the class. 
public MainWindow() 
{ 
   InitializeComponent(); 
   this.listorders = new List<Orders>();
    
   // Binding with the ChangedIndexCommand on GridPaging.........................................
   // Create de Command.
   this.changedIndex = new RoutedUICommand("ChangedIndex", "ChangedIndex", typeof(MainWindow));
    
   // Assign the command to GridPaging Command. 
   gridPaging1.ChangedIndexCommand = this.changedIndex; 

   // Binding Command 
   CommandBinding abinding = new CommandBinding  { Command = this.changedIndex }; 

   // Binding Handler to executed. 
   abinding.Executed += this.OnChangeIndexCommandHandler; 
   this.CommandBindings.Add(abinding); 
   
   // ...........................................................................................
}

The upper code declare a command to be used with the GridPaging control, and assigned it to the control. Then you need to create your command handler (that is named in the code as OnChangeIndexCommandHandler) you can see the implementation in the following piece of code:

C#
private void OnChangeIndexCommandHandler(object sender, ExecutedRoutedEventArgs e) 
{
    var pageIndex = gridPaging1.PageIndex; 
    var pageSize = gridPaging1.PageSize; 
    gridPaging1.TotalCount = this.ExecuteQueryReturnTotalItem(pageIndex, pageSize); 
}

The implementation is always the same, only vary the nature of the method to get your data. In the code example comes a method to paging a MS SQL Server table. But you can also query a Oracle or other DB and also entities, list or nHibernate code.

You can see that you use three properties on GridPaging, Page Index, and PageSize. This are used as output parameters, to inform the query about the necessary position to get the data.

Very important, your query should also return the whole data count without paging. This is very important to hold a correct total page index count. That is you must query first the total count of row in your DB for the actual query, and then return only the rows in the page. A example of this query for MS SQL Server is in the following example:

C#
/// <summary>
/// Refactoring for Get the query. 
/// </summary>
/// <param  name="pageIndex" />
/// The page index. 
/// <param name="pageSize" />
/// The page size.
/// <returns>
/// The row count. 
/// </returns>
private int ExecuteQueryReturnTotalItem(int pageIndex, int pageSize) 
{ 
	// Calculating the initial and final row. 
	var initialRow = (pageIndex - 1) * pageSize; 
	var finalRow = initialRow + pageSize; 

	// NOTE Change your connection string in app config file to get your proper connection string. 
	string connString = Properties.Settings.Default.NordConnection; 
	var conn = new SqlConnection(connString); 
	const string SqlQueryCount = "select count(OrderId) from dbo.Orders"; 
	try
	{ 
		SqlCommand commcount = new SqlCommand(SqlQueryCount, conn); 
		conn.Open(); 
		var rowCount = Convert.ToInt32(commcount.ExecuteScalar()); 
		const string SqlQuery = @"use Northwind; 
		   WITH Members AS ( select ROW_NUMBER() 
		   OVER (ORDER BY OrderID DESC) as row, 
		   OrderDate, OrderId, ShipName, ShipPostalCode from dbo.Orders )
		   Select row, OrderDate, OrderId, ShipName, ShipPostalCode 
		   FROM Members 
		   WHERE row BETWEEN @InitialRow AND @EndRow
		   ORDER BY row ASC;";
 
		SqlCommand command = new SqlCommand(SqlQuery, conn); 
 		command.Parameters.AddWithValue("@InitialRow", initialRow); 
 		command.Parameters.AddWithValue("@EndRow", finalRow); 
 		var reader = command.ExecuteReader(); 
 		this.listorders = new List <Orders>();
  		while (reader.Read())
   		{ 
   			var o = new Orders 
    		{ 
	   	        OrderDate = Convert.ToDateTime(reader["OrderDate"]), 
   			    OrderId = Convert.ToInt32(reader["OrderId"]), 
   			    ShipName = reader["ShipName"].ToString(),
    			    ShipPostalCode = reader["ShipPostalCode"].ToString() 
    		    }; 
    			this.listorders.Add(o); 
    		}
    			this.dgOrdersGrid.ItemsSource = this.listorders; return rowCount; 
 	    }
 	    catch (Exception ex) 
 	    { 
 	        MessageBox.Show(ex.Message);
 	        return 0; 
 	    } 
 	    finally
 	    { 
 	        if (conn.State != ConnectionState.Closed) { conn.Close(); }
 	    }

The control is initialized with a value if Page of 500, you can modified this with assigned the PageSize property if the control with values of 50, 100,500 or 1000. If you want other values you can modify the control code. You can enter in the page size combobox items other values.

Use of GridPaging in MVVC development:

GridPaging exposes the properties PageSize, PageIndex, and TotalCount as Dependency properties. and also the command ChangedIndexCommand. Then you can use they in the XAML code of control in order to be linked with properties in your ViewModel. Also you can assign the command direct in your AXML.

Points of Interest

As you can see the use of this control is not complicated. You can use it to prevent that the user return a large amount of row data. This avoid that the UI becomes unresponsive or your auto filter in grid control begin to be slow.

Bibliography

[1] Simple paging with ASP.NET MVC and Nhibernate. Ben Foster. Mayo 2010

History

  • 30.06.2012 - Initial release.

License

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


Written By
Software Developer (Senior) Avalon Development
United States United States
Jose A. Garcia Guirado, Electronic Engineer, graduated in Havana/Cuba 1982, MCTS, MCSD.NET, MCAD.NET, MCSE. Worked in the Institute for Cybernetics and Mathematics of Academy of Science of Cuba for 8 years; since 1995 working as free software architect, developer and adviser, first in Argentina and from 2003 to 2010, in Germany as External consultant in DWS Luxembourg, AIXTRON AG and Shell Deutschland GmbH and from 2010 to 2012 in Mexico working for Twenty Century Fox, and Mexico Stock Exchange (BMV). From 2013 to now in USA, Florida, First in FAME Inc. and now as Senior Software Engineer in Spirit Airlines.

Comments and Discussions

 
QuestionDatagrid with paging Pin
Nagadeepthi Mysore Ramachandra19-May-14 20:30
Nagadeepthi Mysore Ramachandra19-May-14 20:30 
GeneralMy vote of 5 Pin
Renju Vinod1-Apr-14 21:01
professionalRenju Vinod1-Apr-14 21:01 
GeneralRe: My vote of 5 Pin
freedeveloper2-Apr-14 15:21
professionalfreedeveloper2-Apr-14 15:21 
GeneralMy vote of 5 Pin
Mico Perez24-Jun-13 17:27
Mico Perez24-Jun-13 17:27 
GeneralGreat Control Pin
Mico Perez24-Jun-13 17:06
Mico Perez24-Jun-13 17:06 
GeneralRe: Great Control Pin
freedeveloper24-Jun-13 17:40
professionalfreedeveloper24-Jun-13 17:40 
QuestionSystem.ObjectDisposedException Pin
Curtis Moostoos23-May-13 10:40
Curtis Moostoos23-May-13 10:40 
AnswerRe: System.ObjectDisposedException Pin
freedeveloper28-May-13 8:13
professionalfreedeveloper28-May-13 8:13 
Questionnice thank you, 1 comment Pin
yalenap22-Mar-13 10:32
yalenap22-Mar-13 10:32 
AnswerRe: nice thank you, 1 comment Pin
freedeveloper22-Mar-13 11:16
professionalfreedeveloper22-Mar-13 11:16 
QuestionGreat Control Pin
pmurphy1218-Mar-13 8:31
pmurphy1218-Mar-13 8:31 
AnswerRe: Great Control Pin
freedeveloper21-Mar-13 12:43
professionalfreedeveloper21-Mar-13 12:43 
QuestionMy Vote 5!!! Pin
out200210-Dec-12 4:30
out200210-Dec-12 4:30 
AnswerRe: My Vote 5!!! Pin
freedeveloper10-Dec-12 10:18
professionalfreedeveloper10-Dec-12 10:18 
GeneralMy vote of 5 Pin
Manoj Kumar Choubey29-Jun-12 7:33
professionalManoj Kumar Choubey29-Jun-12 7:33 
nice
GeneralRe: My vote of 5 Pin
freedeveloper2-Jul-12 6:52
professionalfreedeveloper2-Jul-12 6:52 

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.