我想知道我们如何访问嵌套在ListView模板中的控件的属性??
我在ListView模板中有一个CheckBox控件,但当我尝试在代码隐藏文件中访问它时,它没有出现在IntelliSense中。
请告诉我如何在codeBehind文件中访问该CheckBox的属性?
答案 0 :(得分:0)
您需要使用ItemDataBound
事件来获取对CheckBox
控件的引用。在ItemDataBound
事件处理程序中,您可以使用FindControl
方法(来自传递的ListViewItemEventArgs
)来获取对ItemTemplate
中声明的任何控件的引用。
要从首页连接ItemDataBound
,只需执行以下操作:
<asp:ListView ID="lv1" OnItemDataBound="lv1_ItemDataBound" runat="server">
要获得对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>