Присоединение класса MetaData к классам модели ADO.NET Entity Data - PullRequest
0 голосов
/ 23 октября 2011

У меня проблема с подключением класса метаданных к классам данных, созданным моделью данных ADO.NET.По следующим ссылкам ...

http://blogs.microsoft.co.il/blogs/gilf/archive/2011/01/20/adding-metadata-to-entities-in-the-data-model.aspx

http://msdn.microsoft.com/en-us/library/cc679243.aspx

http://goneale.com/2009/03/04/using-metadatatype-attribute-with-aspnet-mvc-xval-validation-framework/

http://davidhayden.com/blog/dave/archive/2008/01/06/ASPNETDynamicDataTutorialBuddyMetadataProviderCustomMetadataProviders.aspx

http://davidhayden.com/blog/dave/archive/2008/05/15/DynamicDataWebsitesScaffoldTableScaffoldColumnAttributes.aspx

Я создал класс метаданных для добавления некоторых атрибутов к свойствам.Я мог бы добавить эти атрибуты к свойствам в сгенерированных классах, и это работает, но я хотел избегать потери этих атрибутов каждый раз, когда мне нужно обновить и заново создать мою модель данных сущности ADO.NET.

У меня вопрос, что я делаю не так?Почему в свойствах среды выполнения нет моих пользовательских атрибутов?

Это часть сгенерированного класса данных

[EdmEntityTypeAttribute(NamespaceName="HelpMeHowModel", Name="Article")]
[Serializable()]
[DataContractAttribute(IsReference=true)]
[MetadataType(typeof(ArticleMetaData))]
public partial class Article : EntityObject
{
    #region Primitive Properties

    /// <summary>
    /// No Metadata Documentation available.
    /// </summary>
    [EdmScalarPropertyAttribute(EntityKeyProperty=false, IsNullable=false)]
    [DataMemberAttribute()]
    public global::System.Boolean IsPublished
    {
        get
        {
            return _IsPublished;
        }
        set
        {
            OnIsPublishedChanging(value);
            ReportPropertyChanging("IsPublished");
            _IsPublished = StructuralObject.SetValidValue(value);
            ReportPropertyChanged("IsPublished");
            OnIsPublishedChanged();
        }
    }
    private global::System.Boolean _IsPublished;
    partial void OnIsPublishedChanging(global::System.Boolean value);
    partial void OnIsPublishedChanged();

...

.. и этомой класс метаданных

public class ArticleMetaData
{
    #region Primitive Properties

    [BoolFunction(BoolFunction.ThreeStateRadioButton)]
    public global::System.Boolean IsPublished { get; set; }

1 Ответ

2 голосов
/ 24 октября 2011

Для всех, кто ищет решение для той же проблемы ...

Добавление пользовательских атрибутов в частичный класс MetadataType возможно и работает, но есть небольшая проблема.

Использование

PropertyInfo pi;

pi.GetCustomAttributes(...) 

будет получать атрибуты только от основного класса, а не от класса, используемого в качестве MetadataType.

На основе решения, объясненного здесь

Attribute.IsDefined didn 't увидеть атрибуты, примененные к классу MetadataType

Я создал два метода расширения для класса PropertyInfo, чтобы получить все атрибуты.

namespace FAIN.Framework.Commons
{
    public static class PropertyInfoEx
    {
        public static object[] GetAllCustomAttributes(this PropertyInfo pi, bool inherit)
        {
            return GetAllCustomAttributes(pi, null, inherit);
        }
        /// <summary>
        /// Get Custom Attributes + attributes added in MetadataType
        /// </summary>
        /// <param name="pi"></param>
        /// <param name="attributeType"></param>
        /// <param name="inherit"></param>
        /// <returns></returns>
        public static object[] GetAllCustomAttributes(this PropertyInfo pi, Type attributeType, bool inherit)
        {
            if (pi == null) return null;
            List<object> allAttributes = new List<object>();
            object[] attributes = null;
            if (attributeType != null)
            {
                attributes = pi.GetCustomAttributes(attributeType, inherit);
            }
            else
            {
                attributes = pi.GetCustomAttributes(inherit);
            }
            allAttributes.AddRange(attributes);

            // search all the Metadata of the class declaring the property to get all CustomAttributes if there are any
            MetadataTypeAttribute[] metadataTypes = pi.DeclaringType.GetCustomAttributes(typeof(MetadataTypeAttribute), true).OfType<MetadataTypeAttribute>().ToArray();
            foreach (MetadataTypeAttribute metadata in metadataTypes)
            {

                if (metadata != null)
                {
                    PropertyInfo[] properties = metadata.MetadataClassType.GetProperties();
                    PropertyInfo propertyInfo = properties.Where(p => p.Name == pi.Name).FirstOrDefault();
                    if (propertyInfo != null)
                    {
                        if (attributeType != null)
                        {
                            attributes = propertyInfo.GetCustomAttributes(attributeType, inherit);
                        }
                        else
                        {
                            attributes = propertyInfo.GetCustomAttributes(inherit);
                        }
                        allAttributes.AddRange(attributes);
                    }
                }
            }

            return allAttributes.ToArray();
        }
    }
}
...