我想知道我们如何访问嵌套在 ListView 模板中的控件的属性?
我在 ListView 模板中有一个 CheckBox 控件,但当我尝试在代码隐藏文件中访问它时,它没有出现在 IntelliSense 中。
请告诉我如何在 codeBehind 文件中访问该 CheckBox 的属性?
您需要使用该ItemDataBound
事件来获取对CheckBox
控件的引用。在ItemDataBound
事件处理程序中,您可以使用该FindControl
方法(从传入的ListViewItemEventArgs
)获取对在ItemTemplate
.
要从ItemDataBound
首页连接,只需执行以下操作:
<asp:ListView ID="lv1" OnItemDataBound="lv1_ItemDataBound" runat="server">
要获得对 a 的引用CheckBox
(请参见下面的完整示例),代码如下所示:
private void lv1_ItemDataBound(object sender, ListViewItemEventArgs e)
{
//Get a reference and check each checkbox
var chk = e.Item.FindControl("chkOne") as CheckBox;
if (chk != null)
chk.Checked = true;
}
这是一个完整的例子:
<%@ Page Language="C#" AutoEventWireup="true" %>
<%@ Import Namespace="System.Collections.Generic" %>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<body>
<form id="form1" runat="server">
<div>
<asp:ListView ID="lv1" OnItemDataBound="lv1_ItemDataBound" runat="server">
<LayoutTemplate><div id="itemPlaceholder" runat="server"></div></LayoutTemplate>
<ItemTemplate>
<div><asp:CheckBox ID="chkOne" Runat="server" /> <%# Container.DataItem %></div>
</ItemTemplate>
</asp:ListView>
</div>
</form>
</body>
</html>
<script runat="server">
public void Page_Load(object sender, System.EventArgs e)
{
if(!Page.IsPostBack)
{
var items = new List<string> { "Item #1", "Item #2", "Item #3" };
lv1.DataSource = items;
lv1.DataBind();
}
}
private void lv1_ItemDataBound(object sender, ListViewItemEventArgs e)
{
//Get a reference and check each checkbox
var chk = e.Item.FindControl("chkOne") as CheckBox;
if (chk != null)
chk.Checked = true;
}
</script>