Click here to Skip to main content
15,879,095 members
Articles / Web Development

MvcContrib Grid Paging and Searching in ASP.NET MVC3

Rate me:
Please Sign up or sign in to vote.
4.89/5 (24 votes)
4 May 2011CPOL2 min read 222K   14.2K   108   49
How to implement MvcContrib Grid paging, sorting, filtering and preserving query URL in ASP.NET MVC3

Introduction

This article shows you how to implement MvcContrib grid paging, filtering and preserving search URL in ASP.NET MVC3.

Background

MvcContrib grid provides nice paging interface with column ordering. In the real world, we need to aggregate complex ViewModels to present grid view. We should also provide multiple searching filters and keywords to the grid view.

So, I implemented clean PagedViewModel<T> class to make MvcContrib Grid paging and filtering simple in ASP.NET MVC3, based on this nice article.

Using the Code

Summary

I added some code and classes to the original source to simplify implementation as follows:

  • PagedViewModel<T> containing IPagenation<T>, AddFilter methods and sorting/paging information
  • Preserving the query URL between list page and view page

Image 1

Business Layer

Let's use the music store database of http://chinookdatabase.codeplex.com/ for our AlbumServie. (*I attached the mdf with basic connection string in web.config in our MVC project.)

Let's add MVCMusicStoreDB EF4 model including Album, Genre and Artist tables. We can see the basic entity diagram.

Image 2

The AlbumViewModel class is the composite ViewModel class of Album, Genre and Artist entities. The MvcContrib Grid uses those Display* and ScaffoldColumn attributes in the AutoGenerateColumns() function.

C#
using System.ComponentModel;
using System.ComponentModel.DataAnnotations;
namespace MvcMusicStore.Models
{
    public class AlbumViewModel
    {
        [DisplayName("ID")]
        public int AlbumId { get; set; }
        [ScaffoldColumn(false)]
        public int? GenreId { get; set; }
        [DisplayName("Genre")]
        public string Genre { get; set; }
        [ScaffoldColumn(false)]
        public int? ArtistId { get; set; }
        [DisplayName("Artist")]
        public string Artist { get; set; }
        [ScaffoldColumn(false)]
        public string AlbumTitle { get; set; }
        [DisplayName("Price")]
        [DisplayFormat(DataFormatString = "{0:c}")] 
        public decimal AlbumPrice { get; set; }
    }
}

Let's build our main business service methods. The first step is adding some basic reading methods in AlbumService. We don't implement CUD methods and any UoW or Repository layer for simple & quick implementation.

C#
namespace MvcMusicStore.Models
{
    public class AlbumService
    {
        private MvcMusicStoreEntities _context;
        public AlbumService()
        {
            _context = new MvcMusicStoreEntities();
        }
        public IQueryable<AlbumViewModel> GetAlbumsView()
        {
            var query = from a in GetAlbums()
                        select new AlbumViewModel
                        {
                            AlbumId = a.AlbumId,
                            GenreId = a.GenreId,
                            Genre = a.Genre.Name,
                            ArtistId = a.ArtistId,
                            Artist = a.Artist.Name,
                            AlbumTitle = a.Title,
                            AlbumPrice = a.Price
                        };
            return query;
        }
        public AlbumViewModel FindAlbumView(int albumId)
        {
            return GetAlbumsView().Where(a => a.AlbumId == albumId).Single();
        }
        public IQueryable<Album> GetAlbums()
        {
            return _context.Albums;
        }
        public IQueryable<Genre> GetGenres()
        {
            return _context.Genres;
        }
        public IQueryable<Artist> GetArtists()
        {
            return _context.Artists;
        }
        public void Save()
        {
            _context.SaveChanges();
        }
    }
}        

PagedViewModel<T>

PagedViewModel<T> is the generic container holding all data for grid presentation including search filters. There are also several AddFilter implementations that register simple filters like search keyword and SelectListFilterViewItem is for saving SelectList object with adding viewdata dictionay.

To support fluent filter setting function to the PagedViewModel<T>, we should implement AddFilter and Setup methods.

C#
namespace MvcMusicStore.Models
{
    public class PagedViewModel<T>
    {   ...
        public PagedViewModel<T> AddFilter(Expression<Func<T, bool>> predicate)
        {
            Query = Query.Where(predicate);
            return this;
        }
        public PagedViewModel<T> AddFilter<TValue>
	(string key, TValue value, Expression<Func<T, bool>> predicate)
        {
            ProcessQuery(value, predicate);
            ViewData[key] = value;
            return this;
        }
        public PagedViewModel<T> AddFilter<TValue>
	(string keyField, object value, Expression<Func<T, bool>> predicate,
            IQueryable<TValue> query, string textField)
        {
            ProcessQuery(value, predicate);
            var selectList = query.ToSelectList(keyField, textField, value);
            ViewData[keyField] = selectList;
            return this;
        }
        public PagedViewModel<T> Setup()
        {
            if (string.IsNullOrWhiteSpace(GridSortOptions.Column))
            {
                GridSortOptions.Column = DefaultSortColumn;
            }
            PagedList = Query.OrderBy
		(GridSortOptions.Column, GridSortOptions.Direction)
                .AsPagination(Page ?? 1, PageSize ?? 10);
            return this;
        }
        private void ProcessQuery<TValue>
		(TValue value, Expression<Func<T, bool>> predicate)
        {
            if (value == null) return;
            if (typeof(TValue) == typeof(string))
            {
                if (string.IsNullOrWhiteSpace(value as string)) return;
            }
            Query = Query.Where(predicate);
        }
    }
}

Listing Action Method in Controller

Let's make a listing method of AlbumController with searching filters, ordering and paging in our AlbumController. We can add fluently query filters to the filter pipeline of PagedViewModel.

C#
namespace MvcMusicStore.Controllers 
{ 
    public class AlbumController : Controller 
    { 
        private AlbumService _service; 
        public AlbumController() 
        { 
            _service = new AlbumService(); 
        } 
        public ActionResult Index(string albumTitle, 
	int? genreId, int? artistId, GridSortOptions gridSortOptions, int? page) 
        { 
            var pagedViewModel = new PagedViewModel<AlbumViewModel> 
            { 
                ViewData = ViewData, 
                Query = _service.GetAlbumsView(), 
                GridSortOptions = gridSortOptions, 
                DefaultSortColumn = "AlbumId", 
                Page = page, 
            } 
            .AddFilter("albumTitle", albumTitle, 
			a => a.AlbumTitle.Contains(albumTitle)) 
            .AddFilter("genreId", genreId, 
		a => a.GenreId == genreId, _service.GetGenres(), "Name") 
            .AddFilter("artistId", artistId, 
		a => a.ArtistId == artistId, _service.GetArtists(), "Name") 
            .Setup(); 
            return View(pagedViewModel); 
        } 
        ... 
    } 
}

Listing Razor View Page for MvcContrib Grid

Let's make List View Page. We can easily fill two dropdownlists without any additional code from PagedViewModel<T>. Also, we add a link using Html.ActionQueryLink helper method to keep query string like "/Album/Details/420?albumTitle=Ro&amp;genreId=1".

HTML
@using MvcMusicStore.Common 
@using MvcMusicStore.Models; 
@using MvcContrib.UI.Grid; 
@model PagedViewModel<AlbumViewModel> 
@{ 
    ViewBag.Title = "Album List"; 
}
<h2>Album List</h2> 
@using (Html.BeginForm("Index", "Album", 
	FormMethod.Get, new { id = "albumSearch" })) 
{    
<label> 
Title   @Html.TextBox("albumTitle") 
  Genre @Html.DropDownList("genreId", "-- Select All --") 
</label> 
<label> 
Artist @Html.DropDownList("artistId", "-- Select All --") 
  <input class="button" value="Search" type="submit" /> 
</label> 
}
@{Html.RenderPartial("Pager", Model.PagedList);} 
@Html.Grid(Model.PagedList).AutoGenerateColumns().Columns(
column =) {column.For(x =) Html.ActionQueryLink(x.AlbumTitle, "Details", 
new { id = x.AlbumId })).Named("AlbumTitle").InsertAt(2);
}).Sort(Model.GridSortOptions).Attributes(@class =) "grid-style")

Let's see SearchBox with title keyword, Genre & Album Dropdownlist. The contrib Grid provides Column filtering and paging UI.

Image 3

We can go back to the List page with preserved query option from Details page. Let's add a snippet to save routing URL to ViewBag by using added ToRouteDic extension method.

C#
namespace MvcMusicStore.Controllers
{
    public class AlbumController : Controller
    {   ...
        public ActionResult Details(int id)
        {
            var viewModel = _service.FindAlbumView(id);
            ViewBag.RouteDicForList = Request.QueryString.ToRouteDic();
            return View(viewModel);
        }
    }
}

Let's restore the ViewBag data to restore the query URL in Details Viewpage.

C#
@model MvcMusicStore.Models.AlbumViewModel
@{
    ViewBag.Title = "Details";
}
<h2>Album Details - @Model.AlbumTitle</h2>
<p>
    @Html.ActionLink("Back to List", "Index", 
    ViewBag.RouteDicForList as RouteValueDictionary)
</p>

Image 4

Conclusion

MvcContrib Grid is a nice web grid component for MVC3 framework. We can use great paging, filtering, ordering grid functions easily.

References

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)
Australia Australia
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionPagedList Pin
James Perrin27-Jan-15 11:56
James Perrin27-Jan-15 11:56 
GeneralMy vote of 5 Pin
Armando Airo'10-Apr-13 6:07
Armando Airo'10-Apr-13 6:07 
QuestionAjax pager Pin
Lluthus14-Mar-13 4:05
Lluthus14-Mar-13 4:05 
GeneralMy vote of 5 Pin
ab_thai15-Jan-13 17:05
ab_thai15-Jan-13 17:05 
QuestionGet duplicate Search form after post Pin
khanhqhoang30-Oct-12 12:20
khanhqhoang30-Oct-12 12:20 
GeneralMy vote of 5 Pin
pablopecora9-Aug-12 19:55
pablopecora9-Aug-12 19:55 
SuggestionDo you have the code for add/update/delete? Pin
gogsthecoder19-Jul-12 3:58
gogsthecoder19-Jul-12 3:58 
QuestionMy vote is 5 Pin
Z@clarco17-Jul-12 23:20
Z@clarco17-Jul-12 23:20 
GeneralRe: My vote is 5 Pin
Sangsu Park 9918-Jul-12 0:25
Sangsu Park 9918-Jul-12 0:25 
QuestionAnswers to some questions, over this example, on demand, custom sorting and paging Pin
Andrés Meza21-May-12 17:46
Andrés Meza21-May-12 17:46 
QuestionMy veto is 0 Pin
Delphy9-Apr-12 0:25
Delphy9-Apr-12 0:25 
AnswerRe: My veto is 0 Pin
Nabin Kumar Jha11-May-12 0:40
Nabin Kumar Jha11-May-12 0:40 
Questionerror CS0433 about ModelClientValidationRule in Models\AccountModels.cs(242,43) Pin
sheir23-Mar-12 8:14
sheir23-Mar-12 8:14 
QuestionPagination issue Pin
Dimitri Backaert23-Mar-12 5:06
Dimitri Backaert23-Mar-12 5:06 
GeneralMy vote of 5 Pin
kishor Shinde23-Feb-12 20:13
kishor Shinde23-Feb-12 20:13 
QuestionCreating a View Pin
kj napper23-Feb-12 19:43
kj napper23-Feb-12 19:43 
QuestionAwesome Article Pin
zyck18-Feb-12 20:22
zyck18-Feb-12 20:22 
AnswerRe: Awesome Article Pin
Sangsu Park 9923-Feb-12 7:37
Sangsu Park 9923-Feb-12 7:37 
QuestionGood example, but how can I add "Create New", "Edit" and "Delete" functions? Pin
peter cong18-Feb-12 4:29
peter cong18-Feb-12 4:29 
Hi Sangsu Park 99,
This is a good example, but I want to add functions of "Create New", "Edit" and "Delete" functions to this project, can you tell me how to do it?
Basically, my data is a SQL database with many tables, your example is one SQL table displays on MVC project website. Now, I want normal user can only read the data and search and filter the data which is exactly as your example. However, I need the functions to Add New records, Edit existing records and Delete the old records, and these functions are only available for the website administrators, for normal users, these functions will be hidden (or disabled).
I appreciate if you can provide me any good examples how to do it as I am new in MVC application. Thanks a lot,
AnswerRe: Good example, but how can I add "Create New", "Edit" and "Delete" functions? Pin
Sangsu Park 9923-Feb-12 7:36
Sangsu Park 9923-Feb-12 7:36 
GeneralGreate work Pin
Dhol Gaurav5-Jan-12 8:11
professionalDhol Gaurav5-Jan-12 8:11 
GeneralRe: Greate work Pin
Sangsu Park 995-Jan-12 12:46
Sangsu Park 995-Jan-12 12:46 
Questionit has problem when i use filter and paging together Pin
funlive14-Aug-11 0:12
funlive14-Aug-11 0:12 
AnswerRe: it has problem when i use filter and paging together Pin
Sangsu Park 9914-Aug-11 1:44
Sangsu Park 9914-Aug-11 1:44 
GeneralRe: it has problem when i use filter and paging together Pin
funlive14-Aug-11 4:18
funlive14-Aug-11 4:18 

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.