中国最大的web开发资源网站及技术社区,
asp.net中的datagrid有内置分页功能, 但是它的默认的分页方式效率是很低的,特别是在数据量很大的时候,用它内置的分页功能几乎是不可能的事,因为它会把所有的数据从数据库读出来再进行分页, 这种只选取了一小部分而丢掉大部分的方法是不可去取的.
在最进的一个项目中因为一个管理页面要管理的数据量非常大,所以必须分页显示,并且不能用datagrid的内置分页功能,于是自己实现分页. 下面介绍一下我在项目中用到的分页方法.
当然显示控件还是用datagrid的, 因为数据绑定很方便^_^.
要保证不传输冗余的数据,那么必须在数据库中数据读取时实现分页, 数据库的分页操作可以放在存储过程中. 看了csdn的一篇blog中讲了一个百万级数据分页的存储过程的实现(http://blog.csdn.net/wellknow/posts/55167.aspx,他的这个方法可以根据不同情况进行适当的优化), 根据他的方法,这里实现一个简单的sql语句来实现这里分页需要的存储过程。
create procedure listproduct
(
@pageindex int, -- 分页后需要页的序号
@pagesize int, -- 一页的大小
@conditionsql – 查询条件的sql语句
)
as … 具体代码就不写了(可以参考上面的链接).
具体的sql语句如下:
select top 100 * from (select * from product where productid<200000) t where t.productid not in
(select top 900 productid from (select productid from product where productid<200000) t1 order by t1.productid asc) order by productid asc
这条语句的 从总的商品(30万)中取出productid<200000(共20万),再按每页100的大小分页,然后取出第10页.
public datatable listproduct(int pageindex, int pagesize)
{
//ado.net从数据库中取出数据的代码就略过^_^.
}
用上面的存储过程读出的数据在datagrid里面分页, 必须把datagrid的allowpaging和allowcustompaging设置为true
protected system.web.ui.webcontrols.datagrid productgrid;
productgrid.allowpaging = true;
productgrid.allowcustompaging = true;
然后在设置要显示的一页的大小
productgrid.pagesize = 100; // 在显示的时候依据实际的数据显示。
设置一页大小后,如果要让datagrid实际分出页数来,还必须设置
productgrid.virtualitemcount = getproductcount() ; // getproductcount() 的功能是获取满足条件的产品数目, 这里的条件就是productid<200000. 设置这项属性后,那么这个datagrid的页数就是
virtualitemcount/pagesize, 也就是pagecount的值. 不能对pagecount直接赋值,因为他是只读的属性.
这些属性设置好后再绑定数据:
productgrid.datasource = listproduct(1, productgrid.pagesize); // 在page_load里面 pageindex为1,记住判断ispostback,在ispostback为false时执行这些代码
productgrid.databind();
这样数据绑定后就可以看到具有分页模样的页面了.但是还不能真正的分页.要实现真正的分页,还必须实现下面的功能.
处理datagrid的pageindexchanged事件(处理用户新选中某页时的事件)
private void productgrid_pageindexchanged(object source, system.web.ui.webcontrols.datagridpagechangedeventargs e)
{
// 如果在存储过程分页功能中用1表示第一页的序号的话那么这里必须用e.newpageindex+1作为pageindex(如果选择了datagrid上页号为3的页,那么e.newpageindex就为2), 否则的话直接用e.newpageindex就可以了
productgrid.datasource = listproduct(e.newpageindex+1, productgrid.pagesize); // 从数据库中读取新的数据
productgrid.databind();
// 设置当前的page序号值, 如果不设置的话它是不会变得, 这样会给用户造成误解,以为所有页的数据相同。
productgrid.currentpageindex =e.newpageindex;
}
如果你处理了datagrid的itemcommand的事件的话,必须在itemcommand事件处理代码前面加上这些代码:
if (e.item.itemtype == listitemtype.pager)
{
return;
}
因为当pageindexchanged事件激发,也就是用户选则了另外一页时会先激发itemcommand事件,如果不这样处理的话,可能会遇到一些意想不到的情况(如果你确实需要的话也可以上面这段代码,不过最好实际测试一下)。
整个过程完成后,再次浏览页面,觉得速度真是快多了