C#分页最好的实现方法C#-DataGridView分页功能的实现(存储过程实现)
时间: 2023-06-24 12:05:53 浏览: 266
以下是C#中使用存储过程实现DataGridView分页功能的示例:
1. 创建存储过程
首先,在数据库中创建一个存储过程来实现分页功能。下面是一个示例存储过程:
```
CREATE PROCEDURE [dbo].[sp_GetCustomersPaged]
@PageNumber INT,
@PageSize INT
AS
BEGIN
SELECT *
FROM (
SELECT ROW_NUMBER() OVER (ORDER BY CustomerID) AS RowNum, *
FROM Customers
) AS RowConstrainedResult
WHERE RowNum >= (@PageNumber - 1) * @PageSize + 1
AND RowNum <= @PageNumber * @PageSize
ORDER BY RowNum
END
```
该存储过程的作用是返回指定页码和每页显示行数的数据。
2. 在C#中调用存储过程
接下来,在C#代码中使用存储过程来实现DataGridView分页功能。首先,需要在窗体中添加一个DataGridView控件,并在代码中添加以下代码:
```
private void BindData(int pageNumber, int pageSize)
{
string connectionString = "Data Source=myServerAddress;Initial Catalog=myDataBase;Integrated Security=True";
using (SqlConnection connection = new SqlConnection(connectionString))
{
connection.Open();
// 创建一个SQL命令对象,调用存储过程
SqlCommand command = new SqlCommand("sp_GetCustomersPaged", connection);
command.CommandType = CommandType.StoredProcedure;
// 添加存储过程的参数
command.Parameters.AddWithValue("@PageNumber", pageNumber);
command.Parameters.AddWithValue("@PageSize", pageSize);
// 创建一个DataAdapter对象,用于填充DataSet
SqlDataAdapter adapter = new SqlDataAdapter(command);
// 创建一个DataSet对象,并填充数据
DataSet dataSet = new DataSet();
adapter.Fill(dataSet);
// 将DataSet的数据绑定到DataGridView控件上
dataGridView1.DataSource = dataSet.Tables[0];
connection.Close();
}
}
```
在上面的代码中,我们首先创建了一个SqlConnection对象,用于连接数据库。然后,创建一个SqlCommand对象,设置其CommandType为StoredProcedure,并添加存储过程的参数。接下来,创建一个SqlDataAdapter对象,用于填充DataSet。最后,将DataSet的数据绑定到DataGridView控件上。
3. 实现分页按钮
最后,我们需要实现分页按钮,以便用户可以在DataGridView中浏览不同的页码。在窗体中添加两个按钮,一个用于向前翻页,一个用于向后翻页,并在代码中添加以下代码:
```
private int currentPageNumber = 1;
private int pageSize = 10;
private void btnPreviousPage_Click(object sender, EventArgs e)
{
if (currentPageNumber > 1)
{
currentPageNumber--;
BindData(currentPageNumber, pageSize);
}
}
private void btnNextPage_Click(object sender, EventArgs e)
{
currentPageNumber++;
BindData(currentPageNumber, pageSize);
}
```
在上面的代码中,我们使用currentPageNumber变量来跟踪当前页码,并使用pageSize变量来指定每页显示的行数。然后,在btnPreviousPage_Click和btnNextPage_Click事件中,我们只需递增或递减currentPageNumber变量,并调用BindData方法来重新绑定DataGridView的数据即可。
这样,我们就完成了使用存储过程来实现DataGridView分页功能的C#代码。
阅读全文