在ListView控件中查找控件
本文关键字:控件 查找 ListView | 更新日期: 2023-09-27 17:59:41
我想在"ListView"控件中找到ID为"Label"的"Label"控件。我试图用以下代码来做这件事:
((Label)this.ChatListView.FindControl("Label")).Text = "active";
但我得到了这个异常:对象引用没有设置为对象的实例。
这里怎么了?
这是aspx代码:
<asp:ListView ID="ChatListView" runat="server" DataSourceID="EntityDataSourceUserPosts">
<ItemTemplate>
<div class="post">
<div class="postHeader">
<h2><asp:Label ID="Label1" runat="server"
Text= '<%# Eval("Title") + " by " + this.GetUserFromPost((Guid?)Eval("AuthorUserID")) %>' ></asp:Label></h2>
<asp:Label ID="Label" runat="server" Text="" Visible="True"></asp:Label>
<div class="dateTimePost">
<%# Eval("PostDate")%>
</div>
</div>
<div class="postContent">
<%# Eval("PostComment") %>
</div>
</div>
</ItemTemplate>
</asp:ListView>
Listview是一个数据绑定控件;因此,它内部的控件对于不同的行将具有不同的id。您必须首先检测行,然后获取控件。最好在OnItemDataBound
这样的事件中获取此类控件。在那里,你可以这样做来夺取你的控制权:
protected void myListView_ItemDataBound(object sender, ListViewItemEventArgs e)
{
if (e.Item.ItemType == ListViewItemType.DataItem)
{
var yourLabel = e.Item.FindControl("Label1") as Label;
// ...
}
}
如果你想在Page_Load
中获取它,你必须知道特定的行,并将控件检索为:
var theLabel = this.ChatListView.Items[<row_index>].FindControl("Label1") as Label;
此函数将从数据库中获取作者名称,您只需要调用方法来获取作者名称并返回
protected string GetUserFromPost(Guid? x)
{
// call your function to get Author Name
return "User Name";
}
要在列表视图中绑定标签,您必须在列表视图ItemDataBound
事件中进行绑定
protected void ChatListView_ItemDataBound(object sender, ListViewItemEventArgs e)
{
if (e.Item.ItemType == ListViewItemType.DataItem)
{
Label lbl = e.Item.FindControl("Label") as Label;
lbl.Text = "Active";
}
}
以下是列表视图aspx代码更改(只需添加onitemdatabound="ChatListView_ItemDataBound"
):
asp:ListView
ID="ChatListView"
runat="server"
DataSourceID="EntityDataSourceUserPosts"
onitemdatabound="ChatListView_ItemDataBound"
在争论中应该是Label1:
((Label)this.ChatListView.FindControl("Label1")).Text = "active";
这应该在数据绑定事件中。
http://msdn.microsoft.com/en-us/library/system.web.ui.webcontrols.listview.itemdatabound.aspx
试试看:
protected void ChatListView_ItemDataBound(object sender, ListViewItemEventArgs e)
{
if (e.Item is ListViewDataItem)
{
var yourLabel = e.Item.FindControl("Label1") as Label;
// ...
}
}
避免FindControl
代码的一个简单解决方案是将OnInit
放在标签上。
这会将您的页面代码更改为:<asp:Label ID="Label" runat="server" Text="" Visible="True" OnInit="Label_Init"></asp:Label>
在你身后的代码中,你现在将拥有这样的功能:
protected void Label_Init(object sender, EventArgs e)
{
Label lblMyLabel = (Label)sender;
lblMyLabel.Text = "My Text";
}