是否可以在转发器的SeparatorTemplate中使用Eval或类似语法?

想要在分隔符模板中显示最后一项的一些信息,如下所示:

<table>
    <asp:Repeater>
        <ItemTemplate>
            <tr>
                <td><%# Eval("DepartureDateTime") %></td>
                <td><%# Eval("ArrivalDateTime") %></td>
            </tr>
        </ItemTemplate>
        <SeparatorTemplate>
            <tr>
                <td colspan="2">Change planes in <%# Eval("ArrivalAirport") %></td>
            </tr>
        </SeparatorTemplate>
    <asp:Repeater>
<table>


希望它会生成如下内容:

<table>
    <asp:Repeater>
            <tr>
                <td>2009/01/24 10:32:00</td>
                <td>2009/01/25 13:22:00</td>
            </tr>
            <tr>
                <td colspan="2">Change planes in London International Airport</td>
            </tr>
            <tr>
                <td>2009/01/25 17:10:00</td>
                <td>2009/01/25 22:42:00</td>
            </tr>
    <asp:Repeater>
<table>


但是SeparatorTemplate似乎忽略了Eval()调用。我也尝试使用以前的语法,例如:具有相同的结果。

是否可以在SeparatorTemplate中显示上一项的信息?如果没有,您是否可以建议一种替代方法来生成此代码?

谢谢

最佳答案

试试这个:

在WebForm的类中添加一个(或两个)私有变量,当您在项目级别执行数据绑定时,可以使用该私有变量来递增/跟踪航班信息。

然后,在ItemDatabound事件中,如果要进行数据绑定的项是ListItemType.Seperator类型,则可以执行简单的评估,并以此方式显示/隐藏/修改分隔符代码。

您的WebForm页面的顶部看起来像这样:

public partial class ViewFlightInfo : System.Web.UI.Page
{

    private int m_FlightStops;

    protected page_load
    {

        // Etc. Etc.

    }
}


然后,当您开始进行数据绑定时:

protected void rFlightStops_ItemDataBound(object sender, RepeaterItemEventArgs e)
{
    Repeater rFlightStops = (Repeater)sender;

    if (e.Item.ItemType == ListItemType.Header)
    {
        // Initialize your FlightStops in the event a new data binding occurs later.
           m_FlightStops = 0;
    }

    if (e.Item.ItemType == ListItemType.Item
        || e.Item.ItemType == ListItemType.AlternatingItem)
    {
         // Bind your Departure and Arrival Time
         m_FlightStops++;
     }

    if (e.Item.ItemType == ListItemType.Seperator)
    {
       if (m_FlightStops == rFlightStops.Items.Count - 1)
       {
           PlaceHolder phChangePlanes =
                    (PlaceHolder)e.Item.FindControl("phChangePlanes");
           phChangePlanes.Visible = false;
       }
    }
 }


...或达到此目的的东西。

09-28 02:31