«Текущий» объект asp: FormView, связанный с EntityDataSource - PullRequest
0 голосов
/ 04 марта 2010

У меня есть FormView с включенной подкачкой. FormView связан с EntityDataSource ...

<asp:EntityDataSource ID="MyEntityDataSource" runat="server" 
    ConnectionString="name=MyEntitiesContext" 
    DefaultContainerName="MyEntitiesContext" 
    EntitySetName="Order" 

    // ... more stuff to define a query

</asp:EntityDataSource>

... который возвращает список (IEnumerable) объектов типа Order из базы данных. Допустим, мой пейджер расположен на странице 2, поэтому FormView отображает второй объект списка.

FormView, кажется, "знает" объект, который должен отображаться, так как элементы управления, такие как

<asp:Label ID="MyLabel" runat="server" Text='<%# Eval("MyProperty")%>'/>

магически отображает значение «MyProperty» правильного объекта.

Как я могу получить доступ к этому объекту (сущности типа Order в целом, а не к отдельным свойствам, используя "Eval") в Code-behind?

1 Ответ

5 голосов
/ 04 марта 2010

в обработчике событий DataBound для вашего FormView вы можете сделать:

Advert ad = FormView1.DataItem.WrappedEntity<Advert>();

Где .WrappedEntity () - метод расширения, определенный как:

/// <summary>
/// Gets the actual EF entity object that is being wrapped and databound.
/// </summary>
/// <example>
/// Advert ad = myFormView.DataItem.WrappedEntity<Advert>();
/// (where myFormView is databound to EntityDataSource returning Advert entity)
/// </example>
static class WrappedEFEntityExtensions
{
    public static TEntity WrappedEntity<TEntity>(this object dataItem) where TEntity : class
    {
        var entity = dataItem as TEntity;

        if (entity != null)
            return entity;

        var typeDescriptor = dataItem as ICustomTypeDescriptor;

        if (typeDescriptor != null)
            return (TEntity)typeDescriptor.GetPropertyOwner(null);

        return null;
    }
}

В этих примерах используется объявление сущности EF, но вы бы, например, заменили его на Order.

http://www.dontcodetired.com/blog/post/Accessing-Entity-Framework-Entity-In-EntityDataSource-Data-Bound-Controls.aspx

Полный пример разметки и код:

<%@ Page Language="C#" AutoEventWireup="true" CodeFile="stackOF.aspx.cs" Inherits="stackOF" %>
<%@ Register Assembly="System.Web.Entity, Version=3.5.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089"
    Namespace="System.Web.UI.WebControls" TagPrefix="asp" %>
<!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">
<head runat="server">
    <title></title>
</head>
<body>
    <form id="form1" runat="server">
    <div>    
        <asp:EntityDataSource ID="EntityDataSource1" runat="server" 
            ConnectionString="name=mototradeEntities" 
            DefaultContainerName="mototradeEntities" EntitySetName="Adverts">
        </asp:EntityDataSource>


        <asp:FormView ID="FormView1" runat="server" AllowPaging="True" 
            DataKeyNames="ID" DataSourceID="EntityDataSource1" 
            ondatabound="FormView1_DataBound">                        
            <ItemTemplate>
                ID:<asp:Label ID="IDLabel" runat="server" Text='<%# Eval("ID") %>' />
                <%-- other properties here --%>
            </ItemTemplate>
        </asp:FormView>    
    </div>
        <asp:Label ID="lblTest" runat="server" Text="Label"></asp:Label>
    </form>
</body>
</html>

Код:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
using System.Web.UI;
using System.Web.UI.WebControls;
using System.ComponentModel;
using mototradeModel;

public partial class stackOF : System.Web.UI.Page
{
     protected void FormView1_DataBound(object sender, EventArgs e)
    {
        Advert ad = FormView1.DataItem.WrappedEntity<Advert>();
        if (ad != null)
        {
            lblTest.Text = "current object databound to FormView1: " + ad.ID;
        }
    }
}

/// <summary>
/// Gets the actual EF entity object that is being wrapped and databound.
/// </summary>
/// <example>
/// Advert ad = myFormView.DataItem.WrappedEntity<Advert>();
/// (where myFormView is databound to EntityDataSource returning Advert entity)
/// </example>
static class WrappedEFEntityExtensions
{
    public static TEntity WrappedEntity<TEntity>(this object dataItem) where TEntity : class
    {
        var entity = dataItem as TEntity;

        if (entity != null)
            return entity;

        var typeDescriptor = dataItem as ICustomTypeDescriptor;

        if (typeDescriptor != null)
            return (TEntity)typeDescriptor.GetPropertyOwner(null);

        return null;
    }
}
...