क्या एक C # वर्ग अपने इंटरफ़ेस से विशेषता प्राप्त कर सकता है?


114

यह "नहीं" का अर्थ होगा। जो दुर्भाग्यपूर्ण है।

[AttributeUsage(AttributeTargets.Interface | AttributeTargets.Class,
 AllowMultiple = true, Inherited = true)]
public class CustomDescriptionAttribute : Attribute
{
    public string Description { get; private set; }

    public CustomDescriptionAttribute(string description)
    {
        Description = description;
    }
}

[CustomDescription("IProjectController")]
public interface IProjectController
{
    void Create(string projectName);
}

internal class ProjectController : IProjectController
{
    public void Create(string projectName)
    {
    }
}

[TestFixture]
public class CustomDescriptionAttributeTests
{
    [Test]
    public void ProjectController_ShouldHaveCustomDescriptionAttribute()
    {
        Type type = typeof(ProjectController);
        object[] attributes = type.GetCustomAttributes(
            typeof(CustomDescriptionAttribute),
            true);

        // NUnit.Framework.AssertionException:   Expected: 1   But was:  0
        Assert.AreEqual(1, attributes.Length);
    }
}

क्या कोई क्लास एक इंटरफ़ेस से इनहेरिट कर सकता है? या मैं यहाँ गलत पेड़ भौंक रहा हूँ?

जवाबों:


73

जब भी कोई इंटरफ़ेस लागू करता है या एक व्युत्पन्न वर्ग में सदस्यों को ओवरराइड करता है, तो आपको विशेषताओं को फिर से घोषित करने की आवश्यकता होती है।

यदि आप केवल ComponentModel (प्रत्यक्ष प्रतिबिंब नहीं) के बारे में परवाह करते हैं, तो [AttributeProvider]मौजूदा प्रकार से विशेषताओं का सुझाव देने का एक तरीका है ( दोहराव से बचने के लिए), लेकिन यह केवल संपत्ति और अनुक्रमण उपयोग के लिए मान्य है।

उदहारण के लिए:

using System;
using System.ComponentModel;
class Foo {
    [AttributeProvider(typeof(IListSource))]
    public object Bar { get; set; }

    static void Main() {
        var bar = TypeDescriptor.GetProperties(typeof(Foo))["Bar"];
        foreach (Attribute attrib in bar.Attributes) {
            Console.WriteLine(attrib);
        }
    }
}

आउटपुट:

System.SerializableAttribute
System.ComponentModel.AttributeProviderAttribute
System.ComponentModel.EditorAttribute
System.Runtime.InteropServices.ComVisibleAttribute
System.Runtime.InteropServices.ClassInterfaceAttribute
System.ComponentModel.TypeConverterAttribute
System.ComponentModel.MergablePropertyAttribute

क्या तुम इसके बारे में निश्चित हो? MemberInfo.GetCustomAttributes विधि एक तर्क देती है जो बताती है कि विरासत के पेड़ को खोजा जाना चाहिए या नहीं।
रूण ग्रिमस्टैड

3
हम्म। मैंने अभी देखा कि प्रश्न एक आधार वर्ग से नहीं एक अंतरफलक से विशेषता विरासत में मिला है।
रूण ग्रिमस्टैड

वहाँ तो इंटरफेस पर विशेषताओं को रखने के लिए कोई कारण है?
रयान पेनफोल्ड

5
@ रियान - यकीन: इंटरफ़ेस का वर्णन करने के लिए। उदाहरण के लिए, सेवा अनुबंध।
मार्क Gravell

3
मार्क (@Rune): हां, ओपी इंटरफेस के बारे में था। लेकिन आपके उत्तर का पहला वाक्य भ्रामक हो सकता है: "... या एक व्युत्पन्न वर्ग में सदस्यों को ओवरराइड करना ..." - यह आवश्यक रूप से सच नहीं है। आप अपने वर्ग के आधार वर्ग से अपनी विरासत की विशेषताएँ प्राप्त कर सकते हैं। आप केवल इंटरफेस के साथ ऐसा नहीं कर सकते। इन्हें भी देखें: stackoverflow.com/questions/12106566/…
chiccodoro

39

आप एक उपयोगी विस्तार विधि को परिभाषित कर सकते हैं ...

Type type = typeof(ProjectController);
var attributes = type.GetCustomAttributes<CustomDescriptionAttribute>( true );

यहाँ विस्तार विधि है:

/// <summary>Searches and returns attributes. The inheritance chain is not used to find the attributes.</summary>
/// <typeparam name="T">The type of attribute to search for.</typeparam>
/// <param name="type">The type which is searched for the attributes.</param>
/// <returns>Returns all attributes.</returns>
public static T[] GetCustomAttributes<T>( this Type type ) where T : Attribute
{
  return GetCustomAttributes( type, typeof( T ), false ).Select( arg => (T)arg ).ToArray();
}

/// <summary>Searches and returns attributes.</summary>
/// <typeparam name="T">The type of attribute to search for.</typeparam>
/// <param name="type">The type which is searched for the attributes.</param>
/// <param name="inherit">Specifies whether to search this member's inheritance chain to find the attributes. Interfaces will be searched, too.</param>
/// <returns>Returns all attributes.</returns>
public static T[] GetCustomAttributes<T>( this Type type, bool inherit ) where T : Attribute
{
  return GetCustomAttributes( type, typeof( T ), inherit ).Select( arg => (T)arg ).ToArray();
}

/// <summary>Private helper for searching attributes.</summary>
/// <param name="type">The type which is searched for the attribute.</param>
/// <param name="attributeType">The type of attribute to search for.</param>
/// <param name="inherit">Specifies whether to search this member's inheritance chain to find the attribute. Interfaces will be searched, too.</param>
/// <returns>An array that contains all the custom attributes, or an array with zero elements if no attributes are defined.</returns>
private static object[] GetCustomAttributes( Type type, Type attributeType, bool inherit )
{
  if( !inherit )
  {
    return type.GetCustomAttributes( attributeType, false );
  }

  var attributeCollection = new Collection<object>();
  var baseType = type;

  do
  {
    baseType.GetCustomAttributes( attributeType, true ).Apply( attributeCollection.Add );
    baseType = baseType.BaseType;
  }
  while( baseType != null );

  foreach( var interfaceType in type.GetInterfaces() )
  {
    GetCustomAttributes( interfaceType, attributeType, true ).Apply( attributeCollection.Add );
  }

  var attributeArray = new object[attributeCollection.Count];
  attributeCollection.CopyTo( attributeArray, 0 );
  return attributeArray;
}

/// <summary>Applies a function to every element of the list.</summary>
private static void Apply<T>( this IEnumerable<T> enumerable, Action<T> function )
{
  foreach( var item in enumerable )
  {
    function.Invoke( item );
  }
}

अपडेट करें:

यहाँ कमेंट में सिमोन द्वारा प्रस्तावित एक छोटा संस्करण है:

private static IEnumerable<T> GetCustomAttributesIncludingBaseInterfaces<T>(this Type type)
{
  var attributeType = typeof(T);
  return type.GetCustomAttributes(attributeType, true).
    Union(type.GetInterfaces().
    SelectMany(interfaceType => interfaceType.GetCustomAttributes(attributeType, true))).
    Distinct().Cast<T>();
}

1
यह केवल प्रकार-स्तरीय विशेषताएँ प्राप्त करता है, गुण, क्षेत्र या सदस्य नहीं, सही?
मैस्लो

22
बहुत अच्छा, मैं व्यक्तिगत रूप से इस के एक छोटे संस्करण का उपयोग करता हूं, अब: निजी स्थिर IEnumerable <T> GetCustomAttributesIncludingBaseInterfaces <T> (यह प्रकार) {var विशेषता टाइप = टाइपो (T); रिटर्न टाइप करें। }
सिमोन डी।

1
@SimonD .: और आपका रिफलेक्टेड घोल तेज है।
mynkow

1
@SimonD यह एक टिप्पणी के बजाय एक जवाब के लायक था।
निक एन।

तो ऐसा कोई कारण को बदलने के लिए नहीं है Applyमें बनाया के साथ ForEachसेMicrosoft.Practices.ObjectBuilder2
याकूब Brewer

29

इस बारे में ब्रैड विल्सन का एक लेख: इंटरफ़ेस विशेषताएँ! = कक्षा विशेषताएँ

संक्षेप में: कक्षाएं इंटरफेस से विरासत में नहीं मिलती हैं, वे उन्हें लागू करते हैं। इसका मतलब है कि विशेषताएँ स्वचालित रूप से कार्यान्वयन का हिस्सा नहीं हैं।

यदि आपको विशेषताओं को प्राप्त करने की आवश्यकता है, तो इंटरफ़ेस के बजाय एक सार आधार वर्ग का उपयोग करें।


क्या होगा यदि आपके पास कई इंटरफेस हैं जिन्हें आप लागू कर रहे हैं? आप उन इंटरफेस को अमूर्त कक्षाओं में नहीं बदल सकते क्योंकि C # में कई-इनहेरिटेंस श्रेणी की कमी है।
एंडी

10

हालांकि C # क्लास को अपने इंटरफेस से विशेषता नहीं मिली है, लेकिन ASP.NET MVC3 में मॉडल को बाइंड करते समय एक उपयोगी विकल्प है।

यदि आप ठोस प्रकार के बजाय दृश्य के मॉडल को इंटरफ़ेस घोषित करते हैं, तो दृश्य और मॉडल बाइंडर विशेषताओं को लागू करेगा (उदाहरण के लिए, [Required]या [DisplayName("Foo")]इंटरफ़ेस से मॉडल को प्रस्तुत और मान्य करते समय:

public interface IModel {
    [Required]
    [DisplayName("Foo Bar")]
    string FooBar { get; set; }
} 

public class Model : IModel {
    public string FooBar { get; set; }
}

फिर दृश्य में:

@* Note use of interface type for the view model *@
@model IModel 

@* This control will receive the attributes from the interface *@
@Html.EditorFor(m => m.FooBar)

4

यह उन लोगों के लिए अधिक है जो गुणों से विशेषताओं को निकालना चाहते हैं जो एक कार्यान्वित किए गए इंटरफ़ेस पर मौजूद हो सकते हैं। क्योंकि वे विशेषताएँ वर्ग का हिस्सा नहीं हैं, इससे आपको उन तक पहुँच प्राप्त होगी। ध्यान दें, मेरे पास एक साधारण कंटेनर क्लास है जो आपको प्रॉपर्टीइन्फो तक पहुंच प्रदान करता है - जैसा कि मुझे इसकी आवश्यकता थी। आवश्यकतानुसार हैक करें। इसने मेरे लिए अच्छा काम किया।

public static class CustomAttributeExtractorExtensions
{
    /// <summary>
    /// Extraction of property attributes as well as attributes on implemented interfaces.
    /// This will walk up recursive to collect any interface attribute as well as their parent interfaces.
    /// </summary>
    /// <typeparam name="TAttributeType"></typeparam>
    /// <param name="typeToReflect"></param>
    /// <returns></returns>
    public static List<PropertyAttributeContainer<TAttributeType>> GetPropertyAttributesFromType<TAttributeType>(this Type typeToReflect)
        where TAttributeType : Attribute
    {
        var list = new List<PropertyAttributeContainer<TAttributeType>>();

        // Loop over the direct property members
        var properties = typeToReflect.GetProperties();

        foreach (var propertyInfo in properties)
        {
            // Get the attributes as well as from the inherited classes (true)
            var attributes = propertyInfo.GetCustomAttributes<TAttributeType>(true).ToList();
            if (!attributes.Any()) continue;

            list.AddRange(attributes.Select(attr => new PropertyAttributeContainer<TAttributeType>(attr, propertyInfo)));
        }

        // Look at the type interface declarations and extract from that type.
        var interfaces = typeToReflect.GetInterfaces();

        foreach (var @interface in interfaces)
        {
            list.AddRange(@interface.GetPropertyAttributesFromType<TAttributeType>());
        }

        return list;

    }

    /// <summary>
    /// Simple container for the Property and Attribute used. Handy if you want refrence to the original property.
    /// </summary>
    /// <typeparam name="TAttributeType"></typeparam>
    public class PropertyAttributeContainer<TAttributeType>
    {
        internal PropertyAttributeContainer(TAttributeType attribute, PropertyInfo property)
        {
            Property = property;
            Attribute = attribute;
        }

        public PropertyInfo Property { get; private set; }

        public TAttributeType Attribute { get; private set; }
    }
}

0

संपादित करें: यह सदस्यों (इंटरफेस गुण) पर इंटरफेस से विरासत में मिली विशेषताओं को शामिल करता है। टाइप परिभाषाओं के लिए ऊपर सरल उत्तर हैं। मैंने इसे केवल इसलिए पोस्ट किया क्योंकि मुझे यह एक चिड़चिड़ापन सीमा लग रही थी और एक समाधान साझा करना चाहता था :)

इंटरफेस कई विरासत हैं और प्रकार प्रणाली में विरासत के रूप में व्यवहार करते हैं। इस तरह के सामान के लिए एक अच्छा कारण नहीं है। प्रतिबिंब थोड़ा होके है। मैंने बकवास समझाने के लिए टिप्पणियां जोड़ी हैं।

(यह .NET 3.5 है क्योंकि यह सिर्फ वही होता है जो मैं इस समय कर रहा हूं।

// in later .NETs, you can cache reflection extensions using a static generic class and
// a ConcurrentDictionary. E.g.
//public static class Attributes<T> where T : Attribute
//{
//    private static readonly ConcurrentDictionary<MemberInfo, IReadOnlyCollection<T>> _cache =
//        new ConcurrentDictionary<MemberInfo, IReadOnlyCollection<T>>();
//
//    public static IReadOnlyCollection<T> Get(MemberInfo member)
//    {
//        return _cache.GetOrAdd(member, GetImpl, Enumerable.Empty<T>().ToArray());
//    }
//    //GetImpl as per code below except that recursive steps re-enter via the cache
//}

public static List<T> GetAttributes<T>(this MemberInfo member) where T : Attribute
{
    // determine whether to inherit based on the AttributeUsage
    // you could add a bool parameter if you like but I think it defeats the purpose of the usage
    var usage = typeof(T).GetCustomAttributes(typeof(AttributeUsageAttribute), true)
        .Cast<AttributeUsageAttribute>()
        .FirstOrDefault();
    var inherit = usage != null && usage.Inherited;

    return (
        inherit
            ? GetAttributesRecurse<T>(member)
            : member.GetCustomAttributes(typeof (T), false).Cast<T>()
        )
        .Distinct()  // interfaces mean duplicates are a thing
        // note: attribute equivalence needs to be overridden. The default is not great.
        .ToList();
}

private static IEnumerable<T> GetAttributesRecurse<T>(MemberInfo member) where T : Attribute
{
    // must use Attribute.GetCustomAttribute rather than MemberInfo.GetCustomAttribute as the latter
    // won't retrieve inherited attributes from base *classes*
    foreach (T attribute in Attribute.GetCustomAttributes(member, typeof (T), true))
        yield return attribute;

    // The most reliable target in the interface map is the property get method.
    // If you have set-only properties, you'll need to handle that case. I generally just ignore that
    // case because it doesn't make sense to me.
    PropertyInfo property;
    var target = (property = member as PropertyInfo) != null ? property.GetGetMethod() : member;

    foreach (var @interface in member.DeclaringType.GetInterfaces())
    {
        // The interface map is two aligned arrays; TargetMethods and InterfaceMethods.
        var map = member.DeclaringType.GetInterfaceMap(@interface);
        var memberIndex = Array.IndexOf(map.TargetMethods, target); // see target above
        if (memberIndex < 0) continue;

        // To recurse, we still need to hit the property on the parent interface.
        // Why don't we just use the get method from the start? Because GetCustomAttributes won't work.
        var interfaceMethod = property != null
            // name of property get method is get_<property name>
            // so name of parent property is substring(4) of that - this is reliable IME
            ? @interface.GetProperty(map.InterfaceMethods[memberIndex].Name.Substring(4))
            : (MemberInfo) map.InterfaceMethods[memberIndex];

        // Continuation is the word to google if you don't understand this
        foreach (var attribute in interfaceMethod.GetAttributes<T>())
            yield return attribute;
    }
}

बरबोंस न् यूनाइट टेस्ट

[TestFixture]
public class GetAttributesTest
{
    [AttributeUsage(AttributeTargets.All, AllowMultiple = true, Inherited = true)]
    private sealed class A : Attribute
    {
        // default equality for Attributes is apparently semantic
        public override bool Equals(object obj)
        {
            return ReferenceEquals(this, obj);
        }

        public override int GetHashCode()
        {
            return base.GetHashCode();
        }
    }

    [AttributeUsage(AttributeTargets.All, AllowMultiple = true, Inherited = false)]
    private sealed class ANotInherited : Attribute { }

    public interface Top
    {
        [A, ANotInherited]
        void M();

        [A, ANotInherited]
        int P { get; }
    }

    public interface Middle : Top { }

    private abstract class Base
    {
        [A, ANotInherited]
        public abstract void M();

        [A, ANotInherited]
        public abstract int P { get; }
    }

    private class Bottom : Base, Middle
    {
        [A, ANotInherited]
        public override void M()
        {
            throw new NotImplementedException();
        }

        [A, ANotInherited]
        public override int P { get { return 42; } }
    }

    [Test]
    public void GetsAllInheritedAttributesOnMethods()
    {
        var attributes = typeof (Bottom).GetMethod("M").GetAttributes<A>();
        attributes.Should()
            .HaveCount(3, "there are 3 inherited copies in the class heirarchy and A is inherited");
    }

    [Test]
    public void DoesntGetNonInheritedAttributesOnMethods()
    {
        var attributes = typeof (Bottom).GetMethod("M").GetAttributes<ANotInherited>();
        attributes.Should()
            .HaveCount(1, "it shouldn't get copies of the attribute from base classes for a non-inherited attribute");
    }

    [Test]
    public void GetsAllInheritedAttributesOnProperties()
    {
        var attributes = typeof(Bottom).GetProperty("P").GetAttributes<A>();
        attributes.Should()
            .HaveCount(3, "there are 3 inherited copies in the class heirarchy and A is inherited");
    }

    [Test]
    public void DoesntGetNonInheritedAttributesOnProperties()
    {
        var attributes = typeof(Bottom).GetProperty("P").GetAttributes<ANotInherited>();
        attributes.Should()
            .HaveCount(1, "it shouldn't get copies of the attribute from base classes for a non-inherited attribute");
    }
}

0

उन गुणों के साथ इंटरफ़ेस जोड़ें, जिनमें गुण / कस्टम विशेषताएँ उसी गुण से जुड़ी हैं जो कक्षा में हैं। हम विज़ुअल स्टूडियो रिफ्लेक्टर सुविधा का उपयोग करके कक्षा के इंटरफ़ेस को निकाल सकते हैं। उस इंटरफ़ेस को आंशिक रूप से लागू करें।

अब क्लास ऑब्जेक्ट के "टाइप" ऑब्जेक्ट को प्राप्त करें और टाइप ऑब्जेक्ट पर गेटप्रोपरेटी का उपयोग करके संपत्ति की जानकारी से कस्टम विशेषताएँ प्राप्त करें। यह क्लास ऑब्जेक्ट पर कस्टम विशेषताएँ नहीं देगा क्योंकि क्लास प्रॉपर्टीज़ में इंटरफ़ेस प्रॉपर्टीज़ के कस्टम गुण संलग्न / विरासत में नहीं थे।

अब ऊपर प्राप्त किए गए वर्ग के प्रकार ऑब्जेक्ट पर GetInterface (NameOfImplemetedInterfaceByclass) को कॉल करें। यह इंटरफ़ेस का "प्रकार" ऑब्जेक्ट प्रदान करेगा। हमें कार्यान्वित इंटरफ़ेस का NAME पता होना चाहिए। टाइप ऑब्जेक्ट से संपत्ति की जानकारी मिलती है और यदि इंटरफ़ेस की संपत्ति में कोई कस्टम विशेषता जुड़ी हुई है, तो संपत्ति की जानकारी कस्टम विशेषता सूची प्रदान करेगी। कार्यान्वयन वर्ग ने इंटरफ़ेस के गुणों का कार्यान्वयन प्रदान किया होगा। कस्टम गुण सूची प्राप्त करने के लिए इंटरफ़ेस की संपत्ति जानकारी की सूची के भीतर वर्ग ऑब्जेक्ट के विशिष्ट संपत्ति के नाम से मिलान करें।

यह काम करेगा।


0

हालांकि मेरा उत्तर एक निश्चित मामले के लिए देर से और विशिष्ट है, मैं कुछ विचार जोड़ना चाहूंगा। जैसा कि अन्य उत्तरों में सुझाया गया है, परावर्तन या अन्य तरीके इसे करेंगे।

मेरे मामले में एक एंटिटी फ्रेमवर्क कोर प्रोजेक्ट में कुछ आवश्यकता (कंसीडर चेक विशेषता) को पूरा करने के लिए सभी मॉडलों में एक संपत्ति (टाइमस्टैम्प) की आवश्यकता थी। हम या तो सभी श्रेणी के गुणों के ऊपर [] जोड़ सकते हैं (IModel इंटरफ़ेस में जोड़कर जो मॉडल लागू किए गए, काम नहीं किए गए)। लेकिन मैंने धाराप्रवाह एपीआई के माध्यम से समय बचाया जो इन मामलों में सहायक है। धाराप्रवाह एपीआई में, मैं सभी मॉडलों में विशिष्ट संपत्ति के नाम की जांच कर सकता हूं और 1 पंक्ति में IsConcurrencyToken () के रूप में सेट कर सकता हूं !!

var props = from e in modelBuilder.Model.GetEntityTypes()
            from p in e.GetProperties()
            select p;
props.Where(p => p.PropertyInfo.Name == "ModifiedTime").ToList().ForEach(p => { p.IsConcurrencyToken = true; });

इसी तरह अगर आपको 100 / - वर्ग के मॉडल में समान संपत्ति के नाम में किसी भी विशेषता को जोड़ने की आवश्यकता है, तो हम इनबिल्ट या कस्टम विशेषता रिज़ॉल्वर के लिए धाराप्रवाह एपीआई विधियों का उपयोग कर सकते हैं। यद्यपि EF (दोनों कोर और EF6) धाराप्रवाह एपीआई पर्दे के पीछे प्रतिबिंब का उपयोग कर सकते हैं, हम प्रयास को बचा सकते हैं :)

हमारी साइट का प्रयोग करके, आप स्वीकार करते हैं कि आपने हमारी Cookie Policy और निजता नीति को पढ़ और समझा लिया है।
Licensed under cc by-sa 3.0 with attribution required.