以下是我填充GridView控件的方法。我是从代码隐藏中做到这一点,而不是从.aspx前端做到这一点。以下是我所拥有的极简缩版本:
private void UpdateGridView()
{
DataTable temptable = new DataTable();
DataColumn idcol = new DataColumn();
DataColumn titlecol = new DataColumn();
idcol.ColumnName = "ID";
titlecol.ColumnName = "Title";
temptable.Columns.Add(idcol);
temptable.Columns.Add(titlecol);
...(get data from the database, store it as variable "x")...
DataRow tempdr;
tempdr[idcol] = x.ID;
tempdr[titlecol] = x.Title;
temptable.Rows.Add(tempdr);
GridView1.DataSource = temptable;
GridView1.DataBind();
}
要处理分页GridView的“AllowPaging”设置为true,我有以下事件处理程序:
protected void GridView1_PageIndexChanging(object sender, GridViewPageEventArgs e)
{
GridView1.PageIndex = e.NewPageIndex;
UpdateGridView();
}
这很有效!
但是,我也有RowDataBound事件处理程序:
protected void GridView1_RowDataBound(object sender, GridViewRowEventArgs e)
{
e.Row.Cells[0].Visible = false; //hide the ID
if (e.Row.RowType == DataControlRowType.DataRow)
{
e.Row.Attributes["onmouseover"] = "this.style.cursor='pointer';this.style.textDecoration='underline';";
e.Row.Attributes["onmouseout"] = "this.style.textDecoration='none';";
e.Row.Attributes["onclick"] = "location.href='newsindex.aspx?NewsArticleID=" + e.Row.Cells[0].Text + "'";
}
}
我的目标是让行本身可以点击,并导致另一个页面的查询字符串等于该行的ID。我需要ID列中的值,以便在创建行时可以访问它,以便我可以将ID添加到链接的QueryString中。但我不希望ID列可见,所以我在行中添加:e.Row.Cells[0].Visible = false;
这样做会打破分页功能。页码不再显示。如果我注释掉这一行,那么一切正常,但ID在GridView中可见。
1)为什么? 2)我可以做些什么来获得相同的功能,但可能的变化最少?
答案 0 :(得分:0)
经过多次反复试验,我发现了它。这似乎是一个非常罕见的问题,因此互联网上没有太多关于它的信息,因为条件非常具体。我读到的大部分内容都是谈论而不是将ID作为常规列放在GridView中,而是使用DataKeyNames。
我确信这可行,但我需要尽快解决问题,因为我已经浪费了大量时间来解决这个问题。
解决方案在于GridViews RowDataBound事件:
protected void GridView1_RowDataBound(object sender, GridViewRowEventArgs e)
{
if (e.Row.RowType == DataControlRowType.DataRow || e.Row.RowType == DataControlRowType.Header)
{
e.Row.Cells[0].Visible = false; //hide the ID
e.Row.Attributes["onmouseover"] = "this.style.cursor='pointer';this.style.textDecoration='underline';";
e.Row.Attributes["onmouseout"] = "this.style.textDecoration='none';";
e.Row.Attributes["onclick"] = "location.href='newsindex.aspx?NewsArticleID=" + e.Row.Cells[0].Text + "'";
}
}
显然,如果您使用的e.Row.Cells[0].Visible = false;
没有我原始问题中的条件,它会以某种方式将其解释为使寻呼机不可见的标志。解决方案是在if块中包含e.Row.Cells[0].Visible = false;
行,该行仅表示DataRows的第一个单元格和标题(而不是寻呼机等其他元素)不可见。
protected void GridView1_RowDataBound(object sender, GridViewRowEventArgs e)
{
if (e.Row.RowType == DataControlRowType.DataRow || e.Row.RowType == DataControlRowType.Header)
{
e.Row.Cells[0].Visible = false; //hide the ID
if (e.Row.RowType == DataControlRowType.DataRow)
{
e.Row.Attributes["onmouseover"] = "this.style.cursor='pointer';this.style.textDecoration='underline';";
e.Row.Attributes["onmouseout"] = "this.style.textDecoration='none';";
e.Row.Attributes["onclick"] = "location.href='newsindex.aspx?NewsArticleID=" + e.Row.Cells[0].Text + "'";
}
}
}