GetCustomAttribute с несколькими экземплярами XmlArrayItemAttribute - PullRequest
1 голос
/ 17 июня 2011

У меня есть List<TransformationItem>. TransformationItem просто базовый класс для нескольких классов, таких как ExtractTextTransform и InsertTextTransform

Чтобы использовать встроенную сериализацию и десериализацию XML, я должен использовать несколько экземпляров XmlArrayItemAttribute, как описано в http://msdn.microsoft.com/en-us/library/system.xml.serialization.xmlarrayitemattribute%28v=vs.80%29.aspx

Вы можете применить несколько экземпляров XmlArrayItemAttribute или XmlElementAttribute, чтобы указать типы объектов, которые могут быть вставлены в массив.

Вот мой код:

[XmlArrayItem(Type = typeof(Transformations.EvaluateExpressionTransform))]
[XmlArrayItem(Type = typeof(Transformations.ExtractTextTransform))]
[XmlArrayItem(Type = typeof(Transformations.InsertTextTransform))]
[XmlArrayItem(Type = typeof(Transformations.MapTextTransform))]
[XmlArrayItem(Type = typeof(Transformations.ReplaceTextTransform))]
[XmlArrayItem(Type = typeof(Transformations.TextItem))]
[XmlArrayItem(ElementName = "Transformation")]
public List<Transformations.TransformationItem> transformations;

Проблема в том, что когда я использую отражение, чтобы получить атрибут ElementName с GetCustomAttribute(), я получаю AmbiguousMatchException.

Как я могу решить это, скажем, получить ElementName?

1 Ответ

6 голосов
/ 17 июня 2011

Поскольку было найдено более одного атрибута, вам необходимо использовать ICustomAttributeProvider.GetCustomAttributes(). В противном случае метод Attribute.GetCustomAttribute() выдает AmbiguousMatchException, поскольку он не знает, какой атрибут выбрать.

Мне нравится оборачивать это как метод расширения, например ::10000

public static IEnumerable<TAttribute> GetAttributes<TAttribute>(this ICustomAttributeProvider provider, bool inherit = false)
    where TAttribute : Attribute
{
    return provider
        .GetCustomAttributes(typeof(TAttribute), inherit)
        .Cast<TAttribute>();
}

Называется как:

var attribute = typeof(TransformationItem)
    .GetAttributes<XmlArrayItemAttribute>(true)
    .Where(attr => !string.IsNullOrEmpty(attr.ElementName))
    .FirstOrDefault();

if (attribute != null)
{
    string elementName = attribute.ElementName;
    // Do stuff...
}    
...