Name、Lic.# などの詳細をヘッダーに表示したいのですが、これは一意であり、その特定の Listview に対して繰り返されません。とにかくこれを示すことはありますか?
質問する
9579 次
1 に答える
5
レイアウトに表示するデータのページ プロパティを導入し、ItemDataBound イベント ハンドラーの最初の行 dataItem からそれらを取得し、ListView の DataBound イベント ハンドラーでレイアウト コントロールをバインドできます。
<asp:ListView ID="ListView1" runat="server" DataKeyNames="job_id" DataSourceID="SqlDataSource1">
<LayoutTemplate>
<table>
<thead>
<tr runat="server" id="headerRow">
<th>
<%# FirstHeaderText %></th>
<th>
<%# SecondHeaderText %>
</th>
</tr>
</thead>
<tbody>
<tr runat="server" id="itemPlaceholder" />
</tbody>
</table>
</LayoutTemplate>
<ItemTemplate>
<tr>
<td>
<%# Eval("job_id")%></td>
<td>
<%# Eval("job_desc")%></td>
</tr>
</ItemTemplate>
</asp:ListView>
<asp:SqlDataSource ID="SqlDataSource1" runat="server" ConnectionString="<%$ ConnectionStrings:PUBSConnectionString %>"
SelectCommand="SELECT [job_id], [job_desc] FROM [jobs]"></asp:SqlDataSource>
サーバーコード:
protected string FirstHeaderText
{
get { return ViewState["FirstHeaderText"] as string; }
set { ViewState["FirstHeaderText"] = value; }
}
protected string SecondHeaderText
{
get { return ViewState["SecondHeaderText"] as string; }
set { ViewState["SecondHeaderText"] = value; }
}
protected void Page_Init(object sender, EventArgs e)
{
ListView1.ItemDataBound += new EventHandler<ListViewItemEventArgs>(ListView1_ItemDataBound);
ListView1.DataBound += new EventHandler(ListView1_DataBound);
}
void ListView1_DataBound(object sender, EventArgs e)
{
((HtmlTableRow)ListView1.FindControl("headerRow")).DataBind();
}
void ListView1_ItemDataBound(object sender, ListViewItemEventArgs e)
{
if (string.IsNullOrEmpty(FirstHeaderText) && e.Item.ItemType == ListViewItemType.DataItem)
{
var dataRow = e.Item.DataItem as DataRowView;
FirstHeaderText = dataRow["job_id"].ToString();
SecondHeaderText = dataRow["job_desc"].ToString();
}
}
別の利用可能な決定は、ヘッダー部分を itemTemplate に配置することですが、最初のレコードに対してのみ表示します。
<asp:ListView ID="ListView1" runat="server" DataKeyNames="job_id" DataSourceID="SqlDataSource1">
<LayoutTemplate>
<table>
<asp:PlaceHolder runat="server" ID="itemPlaceholder" />
</table>
</LayoutTemplate>
<ItemTemplate>
<tr runat="server" visible='<%# (int)DataBinder.Eval(Container, "DataItemIndex") == 0 %>'>
<th>
<%# Eval("job_id")%></th>
<th>
<%# Eval("job_desc")%></th>
</tr>
<tr>
<td>
<%# Eval("job_id")%></td>
<td>
<%# Eval("job_desc")%></td>
</tr>
</ItemTemplate>
</asp:ListView>
于 2012-09-17T14:14:10.040 に答える