我对ASP.NET非常陌生并且一般都是编程。我有一个GridView,我在RowDataBound事件中添加了一个DropDownList。现有控件是只读的,似乎不会在编辑时显示。
protected void GridViewVehicles_RowDataBound(object sender, GridViewRowEventArgs e)
{
if (e.Row.RowType == DataControlRowType.DataRow)
{
if (e.Row.RowState == DataControlRowState.Edit)
{
DropDownList ddlVehicles = GetVehicles();
string make = e.Row.Cells[9].Text;
ddlVehicles.Items.FindByText(reportsTo).Selected = true;
e.Row.Cells[10].Controls.Add(ddlVehicles);
}
}
}
问题是我似乎无法在RowUpdating事件中访问DropDownList的选定值。该表格单元格的控件数量似乎为0.以下抛出和Argument Out of Range异常。
protected void GridViewEmployees_RowUpdating(object sender, GridViewUpdateEventArgs e)
{
string vehicle = ((DropDownList)(row.Cells[10].Controls[0])).SelectedValue;
}
在Chrome调试器中,我确实看到了正确的值,但我无法弄清楚如何访问它。
我已经读过可能会为DropDownList使用OnSelectedIndexChanged事件并将值存储在ViewState中,但我也一直遇到这个问题。
非常感谢任何关于如何最好地进行的指导。提前谢谢!
答案 0 :(得分:1)
看起来方法GetVehicles()
正在动态创建下拉列表,因为您要在第二行if语句的最后一行添加下拉到Controls集合。
当您动态创建控件时,必须在每次回发时重新创建它们。
相反,将下拉控件放在EditItemTemplate
中,然后使用FindControl
方法找到此控件,并将其填入后面的代码中,就像现在一样。
以下是GridView定义的示例:
<asp:GridView runat="server" ID="GridViewVehicles" OnRowDataBound="GridViewVehicles_RowDataBound" OnRowUpdating="GridViewVehicles_RowUpdating">
<Columns>
<asp:TemplateField>
<ItemTemplate>
<!-- Text of selected drop-down item -->
</ItemTemplate>
<EditItemTemplate>
<asp:DropDownList runat="server" ID="ddlVehicles" />
</EditItemTemplate>
</asp:TemplateField>
</Columns>
</asp:GridView>
代码隐藏:
protected void GridViewVehicles_RowDataBound(object sender, GridViewRowEventArgs e)
{
if (e.Row.RowType == DataControlRowType.DataRow && e.Row.RowState == DataControlRowState.Edit)
{
//Get the drop-down datasource and perform databinding
}
}
protected void GridViewVehicles_RowUpdating(object sender, GridViewUpdateEventArgs e)
{
DropDownList ddlVehicles = GridViewVehicles.Rows[e.RowIndex].FindControl("ddlVehicles") as DropDownList;
if (ddlVehicles != null)
{
string selectedValue = ddlVehicles.SelectedValue;
}
}
希望它有所帮助!
此致
UROS