6

我正在尝试获取 GridView 并从单击的行中取回数据。我已经尝试了下面的代码,当我单击该行时,我会返回选定的索引,但是当我查看 GridView 中的实际行时,它们显示为空。不知道我错过了什么。

.ASP 制作我的网格。

<asp:GridView ID="GridView1" runat="server" AutoGenerateColumns="True" 
        CssClass="datatables" Width="100%" 
        DataSourceID="SqlDataSource1" 
        GridLines="None" ShowFooter="True" AllowSorting="True"  
        onrowcreated="GridView1_RowCreated" 
        onrowdatabound="GridView1_RowDataBound" ShowHeaderWhenEmpty="True" 
        onrowcommand="GridView1_RowCommand" 
        onselectedindexchanged="GridView1_SelectedIndexChanged">
        <HeaderStyle CssClass="hdrow" />
        <RowStyle CssClass="datarow" />
        <PagerStyle CssClass="cssPager" />
</asp:GridView>

在每一行数据绑定上,我确保单击应该设置选定的索引。

protected void GridView1_RowDataBound(object sender, GridViewRowEventArgs e)
{
     if (e.Row.RowType == DataControlRowType.DataRow)
     {
        e.Row.Attributes["onclick"] = Page.ClientScript.GetPostBackClientHyperlink(GridView1, "Select$" + e.Row.RowIndex);
     }
 }

然后,当通过单击此按钮更改所选索引时,我可以在第一行放置一个断点,然后我会看到我单击的索引存储在 a 中。但是,当我到达 foreach 时,它会跳过它,因为它显示 GridView1 的行数为 0。理论上它应该有几百行,当索引匹配时,它应该抓取第 6 个单元格中的数据并将其存储在字符串 b 中。为什么点击时没有行?

 protected void GridView1_SelectedIndexChanged(object sender, EventArgs e)
 {
            int a = GridView1.SelectedIndex

            foreach (GridViewRow row in GridView1.Rows)
            {
                if (row.RowIndex == a)
                {
                    b = row.Cells[6].Text;
                }
            }
 }

这是我的页面加载。

protected void Page_Load(object sender, EventArgs e)
{
      c = HttpContext.Current.Session["c"].ToString();
      SqlDataSource1.ConnectionString = //My secret
      string strSelect = "SELECT columnnames from tablenames where c in (@c)
      SqlDataSource1.SelectParameters.Clear();
      SqlDataSource1.SelectCommand = strSelect;
      SqlDataSource1.SelectParameters.Add("c", c);
       try
        {
            GridView1.DataBind();
        }
        catch (Exception e)
        {

        }
        GridView1.AutoGenerateColumns = true;
}
4

1 回答 1

7

尝试从 SelectedRow 属性中获取行:

protected void GridView1_SelectedIndexChanged(object sender, EventArgs e)
{
    GridViewRow row = GridView1.SelectedRow;
    string b = row.Cells[6].Text;
}

据我了解,当您使用这些数据源控件(如 SqlDataSource)时,不会在 PostBacks 上重新填充 Rows 集合。

.DataBind()如果在尝试遍历行之前 调用 GridView,您可能会使用现有代码:

GridView1.DataSourceID="SqlDataSource1";
GridView1.DataBind();

但这似乎有点骇人听闻。


在看到您的 Page_Load 之后,我发现您需要将数据绑定代码包装在一个if(!Page.IsPostBack)块中。每次回发的数据绑定都会中断 ASP.NET 通过 ViewState 维护控件状态的过程。

于 2014-01-07T21:49:33.680 回答